diff --git a/README.md b/README.md index 821cf2b..41ccee0 100644 --- a/README.md +++ b/README.md @@ -6,11 +6,13 @@ Small Go scraper for the Outward Fandom wiki. ```text . +├── cmd/outward-web/main.go # web UI entrypoint ├── cmd/scrappr/main.go # binary entrypoint ├── internal/app # bootstrapping and output writing ├── internal/logx # colored emoji logger ├── internal/model # dataset models ├── internal/scraper # crawl flow, parsing, queueing, retries +├── internal/webui # embedded web server + static UI ├── go.mod ├── go.sum └── outward_data.json # generated output @@ -22,6 +24,10 @@ Small Go scraper for the Outward Fandom wiki. go run ./cmd/scrappr ``` +```bash +go run ./cmd/outward-web +``` + ## What It Does - Crawls item and crafting pages from `outward.fandom.com` @@ -32,6 +38,7 @@ go run ./cmd/scrappr - Stores legacy and portable infobox fields, primary item image URLs, recipes, effects, and raw content tables for later processing - Saves resumable checkpoints into `.cache/scrape-state.json` on a timer, during progress milestones, and on `Ctrl+C` - Writes a stable, sorted JSON dataset to `outward_data.json` +- Serves a local craft-planner UI backed by recipes from `outward_data.json` ## Tuning diff --git a/cmd/outward-web/main.go b/cmd/outward-web/main.go new file mode 100644 index 0000000..defd771 --- /dev/null +++ b/cmd/outward-web/main.go @@ -0,0 +1,26 @@ +package main + +import ( + "os" + + "scrappr/internal/logx" + "scrappr/internal/webui" +) + +func main() { + addr := envOrDefault("SCRAPPR_ADDR", ":8080") + dataPath := envOrDefault("SCRAPPR_DATA", "outward_data.json") + + if err := webui.Run(addr, dataPath); err != nil { + logx.Eventf("error", "fatal: %v", err) + os.Exit(1) + } +} + +func envOrDefault(key, fallback string) string { + if value := os.Getenv(key); value != "" { + return value + } + + return fallback +} diff --git a/internal/scraper/parse.go b/internal/scraper/parse.go index de7bde4..09e3bcf 100644 --- a/internal/scraper/parse.go +++ b/internal/scraper/parse.go @@ -452,14 +452,26 @@ func (s *Scraper) parseImageURL(doc *goquery.Document) string { func (s *Scraper) normalizeImageURL(raw string) string { raw = strings.TrimSpace(raw) - switch { - case raw == "": + if raw == "" { return "" - case strings.HasPrefix(raw, "//"): - return "https:" + raw - default: - return raw } + + if strings.HasPrefix(raw, "//") { + raw = "https:" + raw + } + + query := "" + if idx := strings.Index(raw, "?"); idx >= 0 { + query = raw[idx:] + raw = raw[:idx] + } + + const scaledMarker = "/revision/latest/scale-to-width-down/" + if idx := strings.Index(raw, scaledMarker); idx >= 0 { + raw = raw[:idx] + "/revision/latest" + } + + return raw + query } func (s *Scraper) parseContentTables(doc *goquery.Document) []model.Table { diff --git a/internal/webui/server.go b/internal/webui/server.go new file mode 100644 index 0000000..05ce3f3 --- /dev/null +++ b/internal/webui/server.go @@ -0,0 +1,227 @@ +package webui + +import ( + "embed" + "encoding/json" + "fmt" + "io/fs" + "net/http" + "os" + "sort" + "strings" + + "scrappr/internal/logx" + "scrappr/internal/model" +) + +//go:embed static/* +var staticFiles embed.FS + +type Catalog struct { + ItemNames []string `json:"item_names"` + Items []CatalogItem `json:"items"` + Craftables []CraftableEntry `json:"craftables"` +} + +type CatalogItem struct { + Name string `json:"name"` + URL string `json:"url"` + ImageURL string `json:"image_url,omitempty"` + Categories []string `json:"categories,omitempty"` + ItemType string `json:"item_type,omitempty"` +} + +type CraftableEntry struct { + CatalogItem + Recipes []model.Recipe `json:"recipes"` +} + +func Run(addr, dataPath string) error { + catalog, err := loadCatalog(dataPath) + if err != nil { + return err + } + + staticFS, err := fs.Sub(staticFiles, "static") + if err != nil { + return err + } + + mux := http.NewServeMux() + mux.HandleFunc("/", serveStaticFile(staticFS, "index.html", "text/html; charset=utf-8")) + mux.HandleFunc("/styles.css", serveStaticFile(staticFS, "styles.css", "text/css; charset=utf-8")) + mux.HandleFunc("/app.js", serveStaticFile(staticFS, "app.js", "application/javascript; charset=utf-8")) + mux.HandleFunc("/api/catalog", func(w http.ResponseWriter, r *http.Request) { + if r.Method != http.MethodGet { + http.Error(w, "method not allowed", http.StatusMethodNotAllowed) + return + } + + setNoCache(w) + w.Header().Set("Content-Type", "application/json; charset=utf-8") + if err := json.NewEncoder(w).Encode(catalog); err != nil { + logx.Eventf("error", "catalog encode failed: %v", err) + } + }) + + logx.Eventf( + "start", + "web UI listening on %s using %s (%d craftable items)", + displayAddr(addr), + dataPath, + len(catalog.Craftables), + ) + + return http.ListenAndServe(addr, mux) +} + +func loadCatalog(dataPath string) (Catalog, error) { + file, err := os.Open(dataPath) + if err != nil { + return Catalog{}, fmt.Errorf("open dataset %s: %w", dataPath, err) + } + defer file.Close() + + var dataset model.Dataset + if err := json.NewDecoder(file).Decode(&dataset); err != nil { + return Catalog{}, fmt.Errorf("decode dataset %s: %w", dataPath, err) + } + + return buildCatalog(dataset), nil +} + +func buildCatalog(dataset model.Dataset) Catalog { + itemNames := make([]string, 0, len(dataset.Items)) + items := make([]CatalogItem, 0, len(dataset.Items)) + craftableByName := map[string]*CraftableEntry{} + itemByName := map[string]CatalogItem{} + seen := map[string]bool{} + + for _, item := range dataset.Items { + name := strings.TrimSpace(item.Name) + if name != "" && !seen[name] { + seen[name] = true + itemNames = append(itemNames, name) + } + + catalogItem := CatalogItem{ + Name: item.Name, + URL: item.URL, + ImageURL: item.ImageURL, + Categories: item.Categories, + ItemType: item.Infobox["Type"], + } + + items = append(items, catalogItem) + itemByName[strings.ToLower(strings.TrimSpace(item.Name))] = catalogItem + } + + for _, item := range dataset.Items { + for _, recipe := range item.Recipes { + resultKey := strings.ToLower(strings.TrimSpace(recipe.Result)) + if resultKey == "" { + continue + } + + entry := craftableByName[resultKey] + if entry == nil { + base := itemByName[resultKey] + if strings.TrimSpace(base.Name) == "" { + base = CatalogItem{ + Name: recipe.Result, + URL: item.URL, + ImageURL: item.ImageURL, + } + } + + entry = &CraftableEntry{ + CatalogItem: base, + } + craftableByName[resultKey] = entry + } + + if !hasRecipe(entry.Recipes, recipe) { + entry.Recipes = append(entry.Recipes, recipe) + } + } + } + + sort.Strings(itemNames) + sort.Slice(items, func(i, j int) bool { + return strings.ToLower(items[i].Name) < strings.ToLower(items[j].Name) + }) + + craftables := make([]CraftableEntry, 0, len(craftableByName)) + for _, entry := range craftableByName { + craftables = append(craftables, *entry) + } + sort.Slice(craftables, func(i, j int) bool { + return strings.ToLower(craftables[i].Name) < strings.ToLower(craftables[j].Name) + }) + + return Catalog{ + ItemNames: itemNames, + Items: items, + Craftables: craftables, + } +} + +func hasRecipe(existing []model.Recipe, target model.Recipe) bool { + for _, recipe := range existing { + if recipe.Result != target.Result || recipe.ResultCount != target.ResultCount || recipe.Station != target.Station { + continue + } + if len(recipe.Ingredients) != len(target.Ingredients) { + continue + } + + match := true + for i := range recipe.Ingredients { + if recipe.Ingredients[i] != target.Ingredients[i] { + match = false + break + } + } + + if match { + return true + } + } + + return false +} + +func displayAddr(addr string) string { + if strings.HasPrefix(addr, ":") { + return "http://localhost" + addr + } + if strings.HasPrefix(addr, "http://") || strings.HasPrefix(addr, "https://") { + return addr + } + return "http://" + addr +} + +func serveStaticFile(staticFS fs.FS, name, contentType string) http.HandlerFunc { + return func(w http.ResponseWriter, r *http.Request) { + if r.URL.Path != "/" && "/"+name != r.URL.Path { + http.NotFound(w, r) + return + } + + content, err := fs.ReadFile(staticFS, name) + if err != nil { + http.Error(w, "asset missing", http.StatusInternalServerError) + return + } + + setNoCache(w) + w.Header().Set("Content-Type", contentType) + _, _ = w.Write(content) + } +} + +func setNoCache(w http.ResponseWriter) { + w.Header().Set("Cache-Control", "no-store, no-cache, must-revalidate") + w.Header().Set("Pragma", "no-cache") + w.Header().Set("Expires", "0") +} diff --git a/internal/webui/static/app.js b/internal/webui/static/app.js new file mode 100644 index 0000000..3d15fde --- /dev/null +++ b/internal/webui/static/app.js @@ -0,0 +1,435 @@ +const state = { + catalog: null, + itemByKey: new Map(), +}; + +const inventoryInput = document.querySelector("#inventory-input"); +const quickItemInput = document.querySelector("#quick-item"); +const quickQtyInput = document.querySelector("#quick-qty"); +const itemList = document.querySelector("#item-list"); +const summaryText = document.querySelector("#summary-text"); +const resultsRoot = document.querySelector("#results"); +const chipsRoot = document.querySelector("#inventory-chips"); + +document.querySelector("#analyze-btn").addEventListener("click", render); +document.querySelector("#sample-btn").addEventListener("click", () => { + inventoryInput.value = [ + "Water", + "2x Ableroot", + "2x Oil", + "2x Gravel Beetle", + "Linen Cloth", + "Seaweed", + "Salt", + ].join("\n"); + render(); +}); +document.querySelector("#clear-btn").addEventListener("click", () => { + inventoryInput.value = ""; + quickItemInput.value = ""; + quickQtyInput.value = "1"; + render(); +}); +document.querySelector("#add-item").addEventListener("click", addQuickItem); +quickItemInput.addEventListener("keydown", (event) => { + if (event.key === "Enter") { + event.preventDefault(); + addQuickItem(); + } +}); +inventoryInput.addEventListener("input", renderInventoryPreview); + +bootstrap().catch((error) => { + summaryText.textContent = "Failed to load crafting catalog."; + resultsRoot.innerHTML = `
${escapeHtml(error.message)}
`; +}); + +async function bootstrap() { + const response = await fetch("/api/catalog"); + if (!response.ok) { + throw new Error(`Catalog request failed with ${response.status}`); + } + + state.catalog = await response.json(); + state.itemByKey = buildItemIndex(state.catalog.items || []); + hydrateItemList(state.catalog.item_names || []); + summaryText.textContent = `Loaded ${state.catalog.item_names.length} known items and ${state.catalog.craftables.length} craftable entries.`; + render(); +} + +function buildItemIndex(items) { + const index = new Map(); + for (const item of items) { + index.set(normalizeName(item.name), item); + } + return index; +} + +function hydrateItemList(names) { + itemList.innerHTML = names.map((name) => ``).join(""); +} + +function addQuickItem() { + const name = quickItemInput.value.trim(); + const qty = Math.max(1, Number.parseInt(quickQtyInput.value || "1", 10) || 1); + if (!name) { + return; + } + + const line = qty > 1 ? `${qty}x ${name}` : name; + inventoryInput.value = inventoryInput.value.trim() + ? `${inventoryInput.value.trim()}\n${line}` + : line; + + quickItemInput.value = ""; + quickQtyInput.value = "1"; + render(); +} + +function render() { + renderInventoryPreview(); + + if (!state.catalog) { + return; + } + + const inventory = parseInventory(inventoryInput.value); + const craftable = findCraftableRecipes(state.catalog.craftables, inventory); + + if (!craftable.length) { + summaryText.textContent = `No craftable recipes found from ${inventory.totalKinds} inventory item types.`; + resultsRoot.innerHTML = ` +
+ Add more ingredients or load the sample inventory to see matching recipes. +
+ `; + return; + } + + summaryText.textContent = `${craftable.length} recipe matches from ${inventory.totalKinds} inventory item types.`; + resultsRoot.innerHTML = craftable.map(renderRecipeCard).join(""); + wireResultImages(); +} + +function renderInventoryPreview() { + const inventory = parseInventory(inventoryInput.value); + const entries = Object.values(inventory.byKey).sort((a, b) => a.name.localeCompare(b.name)); + + if (!entries.length) { + chipsRoot.innerHTML = `
No inventory entered yet
`; + return; + } + + chipsRoot.innerHTML = entries + .map((entry) => `
${escapeHtml(entry.display)}
`) + .join(""); +} + +function parseInventory(raw) { + const byKey = {}; + const lines = raw + .split("\n") + .map((line) => line.trim()) + .filter(Boolean); + + for (const line of lines) { + const parsed = parseStackText(line); + if (!parsed.name) { + continue; + } + + const key = normalizeName(parsed.name); + if (!byKey[key]) { + byKey[key] = { + name: parsed.name, + count: 0, + display: "", + }; + } + + byKey[key].count += parsed.count; + byKey[key].display = `${byKey[key].count}x ${byKey[key].name}`; + } + + return { + byKey, + totalKinds: Object.keys(byKey).length, + }; +} + +function findCraftableRecipes(items, inventory) { + const matches = []; + + for (const item of items) { + for (const recipe of item.recipes || []) { + if (normalizeName(recipe.result || "") !== normalizeName(item.name || "")) { + continue; + } + + const requirements = collapseRequirements(recipe.ingredients || []); + + if (!requirements.length) { + continue; + } + + let maxCrafts = Number.POSITIVE_INFINITY; + let canCraft = true; + + for (const requirement of requirements) { + const have = availableCountForIngredient(requirement.name, inventory); + if (have < requirement.count) { + canCraft = false; + break; + } + maxCrafts = Math.min(maxCrafts, Math.floor(have / requirement.count)); + } + + if (!canCraft) { + continue; + } + + matches.push({ + item, + recipe, + maxCrafts: Number.isFinite(maxCrafts) ? maxCrafts : 0, + resultYield: parseResultYield(recipe.result_count), + }); + } + } + + return matches.sort((left, right) => { + if (right.maxCrafts !== left.maxCrafts) { + return right.maxCrafts - left.maxCrafts; + } + return left.item.name.localeCompare(right.item.name); + }); +} + +function renderRecipeCard(entry) { + const initials = escapeHtml(entry.item.name.slice(0, 2).toUpperCase()); + const ingredients = (entry.recipe.ingredients || []) + .map((ingredient) => `${escapeHtml(ingredient)}`) + .join(""); + + const canonicalImageUrl = normalizeImageUrl(entry.item.image_url || ""); + const image = canonicalImageUrl + ? `${escapeHtml(entry.item.name)}` + : `
${initials}
`; + + const station = entry.recipe.station ? `Station: ${escapeHtml(entry.recipe.station)}` : "Station: Any"; + const yieldLabel = entry.resultYield > 1 ? `${entry.resultYield}x per craft` : "1x per craft"; + + return ` +
+ ${image} +
+
+
+

+ ${escapeHtml(entry.item.name)} +

+

${station} · ${yieldLabel}

+
+
${entry.maxCrafts} craft${entry.maxCrafts === 1 ? "" : "s"} possible
+
+
${ingredients}
+
+
+ `; +} + +function wireResultImages() { + const images = resultsRoot.querySelectorAll("img[data-fallback-src]"); + for (const image of images) { + image.onerror = () => { + const fallback = image.dataset.fallbackSrc || ""; + if (!fallback || image.dataset.failedOnce === "1") { + image.onerror = null; + image.replaceWith(createFallbackNode(image.alt || "?")); + return; + } + + image.dataset.failedOnce = "1"; + image.src = fallback; + }; + } +} + +function createFallbackNode(label) { + const node = document.createElement("div"); + node.className = "result-fallback"; + node.textContent = String(label).slice(0, 2).toUpperCase(); + return node; +} + +function parseStackText(raw) { + const cleaned = raw.replace(/×/g, "x").trim(); + if (!cleaned) { + return { name: "", count: 0 }; + } + + const prefixed = cleaned.match(/^(\d+)\s*x\s+(.+)$/i); + if (prefixed) { + return { + count: Number.parseInt(prefixed[1], 10), + name: prefixed[2].trim(), + }; + } + + return { + count: 1, + name: cleaned, + }; +} + +function parseResultYield(raw) { + const parsed = parseStackText(raw || "1x Result"); + return parsed.count || 1; +} + +function normalizeImageUrl(raw) { + const value = String(raw || "").trim(); + if (!value) { + return ""; + } + + const [base, query = ""] = value.split("?"); + const canonicalBase = base.replace(/\/revision\/latest\/scale-to-width-down\/\d+$/, "/revision/latest"); + return query ? `${canonicalBase}?${query}` : canonicalBase; +} + +function fallbackImageUrl(raw) { + const value = normalizeImageUrl(raw); + if (!value) { + return ""; + } + + const [base] = value.split("?"); + return base.replace(/\/revision\/latest$/, ""); +} + +function collapseRequirements(ingredients) { + const counts = new Map(); + + for (const ingredient of ingredients) { + const parsed = parseStackText(ingredient); + if (!parsed.name) { + continue; + } + + const key = normalizeName(parsed.name); + const existing = counts.get(key) || { + name: parsed.name, + count: 0, + }; + + existing.count += parsed.count; + counts.set(key, existing); + } + + return Array.from(counts.values()); +} + +function availableCountForIngredient(ingredientName, inventory) { + const requirementKey = normalizeName(ingredientName); + + if (requirementKey === "water") { + return countInventory(inventory, ["water", "clean water"]); + } + + if (requirementKey === "meat") { + return countMatchingInventory(inventory, (item) => isMeatLike(item)); + } + + if (requirementKey === "vegetable") { + return countMatchingInventory(inventory, (item) => isVegetableLike(item)); + } + + if (requirementKey === "ration ingredient") { + return countMatchingInventory(inventory, (item) => isRationIngredient(item)); + } + + return inventory.byKey[requirementKey]?.count || 0; +} + +function countInventory(inventory, keys) { + return keys.reduce((sum, key) => sum + (inventory.byKey[key]?.count || 0), 0); +} + +function countMatchingInventory(inventory, predicate) { + let total = 0; + + for (const [key, entry] of Object.entries(inventory.byKey)) { + if (!predicate(resolveInventoryItem(key, entry.name))) { + continue; + } + total += entry.count; + } + + return total; +} + +function resolveInventoryItem(key, fallbackName) { + const item = state.itemByKey.get(key); + if (item) { + return item; + } + + return { + name: fallbackName, + categories: [], + item_type: "", + }; +} + +function isMeatLike(item) { + const name = normalizeName(item.name); + return name.includes("meat") || name.includes("jerky"); +} + +function isVegetableLike(item) { + const name = normalizeName(item.name); + const categories = normalizeList(item.categories || []); + const itemType = normalizeName(item.item_type || ""); + const foodLike = categories.includes("food") || categories.includes("consumables") || itemType === "food"; + + if (!foodLike) { + return false; + } + + if (name.includes("salt") || name.includes("water") || name.includes("meat") || name.includes("fish") || name.includes("egg")) { + return false; + } + + return true; +} + +function isRationIngredient(item) { + const name = normalizeName(item.name); + const categories = normalizeList(item.categories || []); + const itemType = normalizeName(item.item_type || ""); + const foodLike = categories.includes("food") || categories.includes("consumables") || itemType === "food"; + + if (!foodLike) { + return false; + } + + return !name.includes("salt") && !name.includes("water"); +} + +function normalizeList(values) { + return values.map((value) => normalizeName(value)); +} + +function normalizeName(value) { + return value.toLowerCase().replace(/\s+/g, " ").trim(); +} + +function escapeHtml(value) { + return String(value) + .replaceAll("&", "&") + .replaceAll("<", "<") + .replaceAll(">", ">") + .replaceAll('"', """) + .replaceAll("'", "'"); +} diff --git a/internal/webui/static/index.html b/internal/webui/static/index.html new file mode 100644 index 0000000..8cd2cc8 --- /dev/null +++ b/internal/webui/static/index.html @@ -0,0 +1,60 @@ + + + + + + Outward Craft Planner + + + +
+
+

Outward Craft Planner

+

Tell me what is in your bag, and I will tell you what you can craft.

+

+ One item per line. Use 2x Linen Cloth if you have more than one. +

+
+ +
+ + +
+
+

Craftable Items

+

Loading dataset…

+
+ +
+
+
+
+ + + + diff --git a/internal/webui/static/styles.css b/internal/webui/static/styles.css new file mode 100644 index 0000000..8647122 --- /dev/null +++ b/internal/webui/static/styles.css @@ -0,0 +1,311 @@ +:root { + --bg: #f3ecdf; + --bg-strong: #e6d8bd; + --panel: rgba(255, 251, 244, 0.9); + --panel-border: rgba(74, 52, 24, 0.14); + --ink: #2f2417; + --muted: #6c5a43; + --accent: #9b4d20; + --accent-strong: #7a3912; + --accent-soft: #ecd4b6; + --success: #2f7a42; + --shadow: 0 24px 60px rgba(56, 38, 16, 0.12); + --radius: 22px; +} + +* { + box-sizing: border-box; +} + +body { + margin: 0; + min-height: 100vh; + color: var(--ink); + background: + radial-gradient(circle at top left, rgba(193, 121, 52, 0.18), transparent 28%), + radial-gradient(circle at top right, rgba(80, 128, 91, 0.18), transparent 24%), + linear-gradient(180deg, #f8f3e8 0%, var(--bg) 46%, #ece0c9 100%); + font-family: "Trebuchet MS", "Segoe UI Variable Text", "Segoe UI", sans-serif; +} + +code, +textarea, +input, +button { + font: inherit; +} + +.app-shell { + width: min(1180px, calc(100vw - 32px)); + margin: 0 auto; + padding: 36px 0 48px; +} + +.hero { + padding: 24px 4px 28px; +} + +.eyebrow { + margin: 0 0 10px; + color: var(--accent); + font-size: 0.82rem; + font-weight: 800; + letter-spacing: 0.18em; + text-transform: uppercase; +} + +.hero h1 { + margin: 0; + max-width: 840px; + font-family: "Iowan Old Style", "Palatino Linotype", serif; + font-size: clamp(2rem, 4.8vw, 3.8rem); + line-height: 1; +} + +.hero-copy { + max-width: 760px; + margin: 16px 0 0; + color: var(--muted); + font-size: 1.03rem; + line-height: 1.6; +} + +.workspace { + display: grid; + grid-template-columns: minmax(300px, 380px) minmax(0, 1fr); + gap: 22px; +} + +.panel { + backdrop-filter: blur(12px); + background: var(--panel); + border: 1px solid var(--panel-border); + border-radius: var(--radius); + box-shadow: var(--shadow); +} + +.input-panel, +.output-panel { + padding: 22px; +} + +.panel-head h2 { + margin: 0; + font-family: "Iowan Old Style", "Palatino Linotype", serif; + font-size: 1.7rem; +} + +.panel-head p { + margin: 8px 0 0; + color: var(--muted); +} + +.quick-add { + display: grid; + grid-template-columns: minmax(0, 1fr) 88px 96px; + gap: 10px; + margin-top: 18px; +} + +input, +textarea { + width: 100%; + border: 1px solid rgba(72, 48, 19, 0.14); + border-radius: 16px; + background: rgba(255, 255, 255, 0.85); + color: var(--ink); + padding: 14px 16px; + outline: none; + transition: border-color 160ms ease, box-shadow 160ms ease, transform 160ms ease; +} + +textarea { + min-height: 260px; + margin-top: 14px; + resize: vertical; + line-height: 1.5; +} + +input:focus, +textarea:focus { + border-color: rgba(155, 77, 32, 0.5); + box-shadow: 0 0 0 4px rgba(155, 77, 32, 0.12); +} + +button { + border: 0; + border-radius: 16px; + padding: 13px 16px; + cursor: pointer; + color: var(--ink); + background: rgba(92, 70, 33, 0.08); + transition: transform 160ms ease, background 160ms ease, opacity 160ms ease; +} + +button:hover { + transform: translateY(-1px); + background: rgba(92, 70, 33, 0.14); +} + +button.primary { + color: #fff7ef; + background: linear-gradient(135deg, var(--accent), var(--accent-strong)); +} + +.actions { + display: flex; + flex-wrap: wrap; + gap: 10px; + margin-top: 14px; +} + +.inventory-preview { + margin-top: 18px; + padding-top: 18px; + border-top: 1px solid rgba(72, 48, 19, 0.1); +} + +.mini-title { + font-size: 0.8rem; + font-weight: 800; + letter-spacing: 0.12em; + text-transform: uppercase; + color: var(--muted); +} + +.chips { + display: flex; + flex-wrap: wrap; + gap: 8px; + margin-top: 12px; +} + +.chip { + display: inline-flex; + align-items: center; + gap: 8px; + padding: 8px 12px; + border-radius: 999px; + background: var(--accent-soft); + color: var(--ink); + font-size: 0.92rem; +} + +.results { + display: grid; + gap: 14px; + margin-top: 20px; +} + +.result-card { + display: grid; + grid-template-columns: 72px minmax(0, 1fr); + gap: 16px; + padding: 16px; + border-radius: 18px; + background: linear-gradient(180deg, rgba(255, 250, 241, 0.92), rgba(247, 239, 225, 0.92)); + border: 1px solid rgba(72, 48, 19, 0.1); +} + +.result-card img, +.result-fallback { + width: 72px; + height: 72px; + border-radius: 18px; + object-fit: cover; + background: linear-gradient(135deg, #d6b58a, #a36b31); +} + +.result-fallback { + display: grid; + place-items: center; + color: #fff7ef; + font-weight: 800; + font-size: 1.2rem; +} + +.result-top { + display: flex; + align-items: flex-start; + justify-content: space-between; + gap: 12px; +} + +.result-name { + margin: 0; + font-size: 1.1rem; +} + +.result-name a { + color: inherit; + text-decoration: none; +} + +.result-name a:hover { + text-decoration: underline; +} + +.recipe-badge { + padding: 8px 10px; + border-radius: 999px; + background: rgba(47, 122, 66, 0.12); + color: var(--success); + font-size: 0.84rem; + font-weight: 700; + white-space: nowrap; +} + +.meta { + margin: 8px 0 0; + color: var(--muted); + font-size: 0.95rem; +} + +.ingredients { + display: flex; + flex-wrap: wrap; + gap: 8px; + margin-top: 14px; +} + +.ingredient-pill { + padding: 7px 10px; + border-radius: 999px; + background: rgba(90, 62, 25, 0.08); + font-size: 0.9rem; +} + +.empty-state { + padding: 28px 20px; + border-radius: 18px; + text-align: center; + color: var(--muted); + background: rgba(250, 246, 237, 0.72); + border: 1px dashed rgba(72, 48, 19, 0.18); +} + +@media (max-width: 920px) { + .workspace { + grid-template-columns: 1fr; + } +} + +@media (max-width: 640px) { + .app-shell { + width: min(100vw - 18px, 1180px); + padding-top: 20px; + } + + .input-panel, + .output-panel { + padding: 16px; + } + + .quick-add { + grid-template-columns: 1fr; + } + + .result-card { + grid-template-columns: 1fr; + } +} diff --git a/outward_data.json b/outward_data.json index c636429..de3d36a 100644 --- a/outward_data.json +++ b/outward_data.json @@ -1,4 +1,318913 @@ { - "items": [], - "effects": [] + "items": [ + { + "name": "Able Tea", + "url": "https://outward.fandom.com/wiki/Able_Tea", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "DLC": "The Three Brothers", + "Drink": "7%", + "Effects": "Restores 20 burnt Health and StaminaCures Infection", + "Object ID": "4200090", + "Perish Time": "∞", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6a/Able_Tea.png/revision/latest/scale-to-width-down/83?cb=20201220073743", + "effects": [ + "Restores 20 burnt Health and Stamina", + "Removes Infection" + ], + "recipes": [ + { + "result": "Able Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot" + ], + "station": "Cooking Pot", + "source_page": "Able Tea" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Ableroot", + "result": "1x Able Tea", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Able Tea", + "Water Ableroot", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2 - 4", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "10%", + "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "10%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "10%", + "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Able Tea is an Item in Outward." + }, + { + "name": "Ableroot", + "url": "https://outward.fandom.com/wiki/Ableroot", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "10", + "DLC": "The Three Brothers", + "Effects": "Restores 20 burnt Stamina", + "Hunger": "5%", + "Object ID": "4000440", + "Perish Time": "19 Days, 20 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/34/Ableroot.png/revision/latest/scale-to-width-down/83?cb=20201220073744", + "effects": [ + "Restores 5% Hunger and 20 burnt Stamina" + ], + "recipes": [ + { + "result": "Able Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot" + ], + "station": "Cooking Pot", + "source_page": "Ableroot" + }, + { + "result": "Bracing Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Ableroot" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Ableroot" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Ableroot" + }, + { + "result": "Panacea", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Ableroot" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Ableroot" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterAbleroot", + "result": "1x Able Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterAblerootAblerootPeach Seeds", + "result": "1x Bracing Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSulphuric MushroomAblerootPeach Seeds", + "result": "1x Panacea", + "station": "Alchemy Kit" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Able Tea", + "WaterAbleroot", + "Cooking Pot" + ], + [ + "1x Bracing Potion", + "WaterAblerootAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "1x Panacea", + "WaterSulphuric MushroomAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Ableroot (Gatherable)" + } + ], + "raw_rows": [ + [ + "Ableroot (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "1 - 2", + "source": "Apprentice Ritualist" + }, + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 50", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Apprentice Ritualist", + "1 - 2", + "100%", + "Ritualist's hut" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 50", + "50.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.3%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "14.3%", + "locations": "Oil Refinery, The Eldest Brother", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "14.3%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "14.3%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.3%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "14.3%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "14.3%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "14.3%", + "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone" + ], + [ + "Corpse", + "1", + "14.3%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "14.3%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "14.3%", + "Oil Refinery, The Eldest Brother" + ], + [ + "Knight's Corpse", + "1", + "14.3%", + "Steam Bath Tunnels" + ], + [ + "Ornate Chest", + "1", + "14.3%", + "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony" + ], + [ + "Scavenger's Corpse", + "1", + "14.3%", + "Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "14.3%", + "Old Sirocco" + ] + ] + } + ], + "description": "Ableroot is an Item in Outward." + }, + { + "name": "Admiral Incense", + "url": "https://outward.fandom.com/wiki/Admiral_Incense", + "categories": [ + "DLC: The Soroboreans", + "Incense", + "Items" + ], + "infobox": { + "Buy": "250", + "Class": "Incense", + "DLC": "The Soroboreans", + "Object ID": "6000190", + "Sell": "75", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c8/Admiral_Incense.png/revision/latest/scale-to-width-down/83?cb=20200616185243", + "recipes": [ + { + "result": "Admiral Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Light" + ], + "station": "Alchemy Kit", + "source_page": "Admiral Incense" + }, + { + "result": "Luna Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Light", + "Admiral Incense" + ], + "station": "Alchemy Kit", + "source_page": "Admiral Incense" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's Root Dreamer's Root Elemental Particle – Light", + "result": "4x Admiral Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Admiral Incense", + "Dreamer's Root Dreamer's Root Elemental Particle – Light", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – LightAdmiral Incense", + "result": "4x Luna Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Luna Incense", + "Purifying QuartzTourmalineElemental Particle – LightAdmiral Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2.4%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "2.4%", + "Forgotten Research Laboratory" + ] + ] + }, + { + "title": "Used In Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Hunger depletion rate -75%Drink depletion rate -75%", + "enchantment": "Abundance" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Humiliation" + }, + { + "effects": "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance", + "enchantment": "Inner Warmth" + }, + { + "effects": "Gain +5% Cooldown Reduction", + "enchantment": "Instinct" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + } + ], + "raw_rows": [ + [ + "Abundance", + "Hunger depletion rate -75%Drink depletion rate -75%" + ], + [ + "Humiliation", + "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Inner Warmth", + "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance" + ], + [ + "Instinct", + "Gain +5% Cooldown Reduction" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ] + ] + } + ], + "description": "Admiral Incense is an Item in Outward, used for Enchanting." + }, + { + "name": "Advanced Tent", + "url": "https://outward.fandom.com/wiki/Advanced_Tent", + "categories": [ + "DLC: The Three Brothers", + "Items" + ], + "description": "Advanced Tent refers to types of Tents which are compatible with Totemic Lodge Tent recipes." + }, + { + "name": "Adventurer Armor", + "url": "https://outward.fandom.com/wiki/Adventurer_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "275", + "Cold Weather Def.": "6", + "Damage Resist": "16% 25%", + "Durability": "290", + "Hot Weather Def.": "10", + "Impact Resist": "12%", + "Item Set": "Adventurer Set", + "Movement Speed": "-3%", + "Object ID": "3000020", + "Pouch Bonus": "5", + "Protection": "2", + "Sell": "91", + "Slot": "Chest", + "Stamina Cost": "3%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/42/Adventurer_Armor.png/revision/latest?cb=20190415104607", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +15% Fire and +25% Frost damage bonus", + "enchantment": "Spirit of Cierzo" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Cierzo", + "Gain +15% Fire and +25% Frost damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "32.7%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "26.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.2%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "22.6%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "17.3%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1 - 4", + "32.7%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "26.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.2%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "22.6%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "17.3%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.5%", + "locations": "Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "5.6%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "1 - 4", + "11.5%", + "Under Island" + ], + [ + "Chest", + "1", + "5.6%", + "Levant" + ], + [ + "Junk Pile", + "1", + "5.6%", + "Abrassar, Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Adventurer Armor is a type of Body Armor in Outward." + }, + { + "name": "Adventurer Backpack", + "url": "https://outward.fandom.com/wiki/Adventurer_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "60", + "Capacity": "35", + "Class": "Backpacks", + "Durability": "∞", + "Effects": "No dodge interference", + "Item Set": "Adventurer Set", + "Object ID": "5300000", + "Sell": "18", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/47/Adventurer_Backpack.png/revision/latest?cb=20190410235855", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "26.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.2%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "26.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.2%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.7%", + "locations": "Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "1 - 4", + "4.7%", + "Under Island" + ] + ] + } + ], + "description": "The Adventurer Backpack is one of the types of backpacks in Outward. It has a maximum capacity of 35.0 weight, and allows players to wear a lantern. Unlike most backpacks, it does not interfere with dodge." + }, + { + "name": "Adventurer Boots", + "url": "https://outward.fandom.com/wiki/Adventurer_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "150", + "Cold Weather Def.": "3", + "Damage Resist": "10% 15%", + "Durability": "290", + "Hot Weather Def.": "5", + "Impact Resist": "8%", + "Item Set": "Adventurer Set", + "Movement Speed": "-2%", + "Object ID": "3000022", + "Sell": "49", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/30/Adventurer_Boots.png/revision/latest?cb=20190415145907", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "26.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.2%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "22.6%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "17.3%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "26.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.2%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "22.6%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "17.3%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Levant" + ], + [ + "Junk Pile", + "1", + "5.6%", + "Abrassar, Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Adventurer Boots is a type of Armor in Outward." + }, + { + "name": "Adventurer Set", + "url": "https://outward.fandom.com/wiki/Adventurer_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "575", + "Cold Weather Def.": "12", + "Damage Resist": "36% 55%", + "Durability": "870", + "Hot Weather Def.": "20", + "Impact Resist": "28%", + "Mana Cost": "15%", + "Movement Speed": "-7%", + "Object ID": "3000020 (Chest)3000022 (Legs)3000021 (Head)", + "Pouch Bonus": "5", + "Protection": "2", + "Sell": "185", + "Slot": "Set", + "Stamina Cost": "7%", + "Weight": "19.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4b/Adventurer_Set.png/revision/latest/scale-to-width-down/248?cb=20211216174405", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-3%", + "column_4": "12%", + "column_5": "2", + "column_6": "10", + "column_7": "6", + "column_8": "3%", + "column_9": "–", + "durability": "290", + "name": "Adventurer Armor", + "pouch_bonus": "5", + "resistances": "16% 25%", + "weight": "10.0" + }, + { + "class": "Boots", + "column_10": "-2%", + "column_4": "8%", + "column_5": "–", + "column_6": "5", + "column_7": "3", + "column_8": "2%", + "column_9": "–", + "durability": "290", + "name": "Adventurer Boots", + "pouch_bonus": "–", + "resistances": "10% 15%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_10": "-2%", + "column_4": "8%", + "column_5": "–", + "column_6": "5", + "column_7": "3", + "column_8": "2%", + "column_9": "15%", + "durability": "290", + "name": "Adventurer's Helm", + "pouch_bonus": "–", + "resistances": "10% 15%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Adventurer Armor", + "16% 25%", + "12%", + "2", + "10", + "6", + "3%", + "–", + "-3%", + "5", + "290", + "10.0", + "Body Armor" + ], + [ + "", + "Adventurer Boots", + "10% 15%", + "8%", + "–", + "5", + "3", + "2%", + "–", + "-2%", + "–", + "290", + "6.0", + "Boots" + ], + [ + "", + "Adventurer's Helm", + "10% 15%", + "8%", + "–", + "5", + "3", + "2%", + "15%", + "-2%", + "–", + "290", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Capacity", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "capacity": "35", + "class": "Backpack", + "durability": "∞", + "effects": "No dodge interference", + "name": "Adventurer Backpack", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Adventurer Backpack", + "35", + "∞", + "1.0", + "No dodge interference", + "Backpack" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-3%", + "column_4": "12%", + "column_5": "2", + "column_6": "10", + "column_7": "6", + "column_8": "3%", + "column_9": "–", + "durability": "290", + "name": "Adventurer Armor", + "pouch_bonus": "5", + "resistances": "16% 25%", + "weight": "10.0" + }, + { + "class": "Boots", + "column_10": "-2%", + "column_4": "8%", + "column_5": "–", + "column_6": "5", + "column_7": "3", + "column_8": "2%", + "column_9": "–", + "durability": "290", + "name": "Adventurer Boots", + "pouch_bonus": "–", + "resistances": "10% 15%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_10": "-2%", + "column_4": "8%", + "column_5": "–", + "column_6": "5", + "column_7": "3", + "column_8": "2%", + "column_9": "15%", + "durability": "290", + "name": "Adventurer's Helm", + "pouch_bonus": "–", + "resistances": "10% 15%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Adventurer Armor", + "16% 25%", + "12%", + "2", + "10", + "6", + "3%", + "–", + "-3%", + "5", + "290", + "10.0", + "Body Armor" + ], + [ + "", + "Adventurer Boots", + "10% 15%", + "8%", + "–", + "5", + "3", + "2%", + "–", + "-2%", + "–", + "290", + "6.0", + "Boots" + ], + [ + "", + "Adventurer's Helm", + "10% 15%", + "8%", + "–", + "5", + "3", + "2%", + "15%", + "-2%", + "–", + "290", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Capacity", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "capacity": "35", + "class": "Backpack", + "durability": "∞", + "effects": "No dodge interference", + "name": "Adventurer Backpack", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Adventurer Backpack", + "35", + "∞", + "1.0", + "No dodge interference", + "Backpack" + ] + ] + } + ], + "description": "Adventurer Set is a Set in Outward." + }, + { + "name": "Adventurer's Helm", + "url": "https://outward.fandom.com/wiki/Adventurer%27s_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "150", + "Cold Weather Def.": "3", + "Damage Resist": "10% 15%", + "Durability": "290", + "Hot Weather Def.": "5", + "Impact Resist": "8%", + "Item Set": "Adventurer Set", + "Mana Cost": "15%", + "Movement Speed": "-2%", + "Object ID": "3000021", + "Sell": "45", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bc/Adventurer%27s_Helm.png/revision/latest?cb=20190407194434", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "30%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "26.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.2%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "22.6%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "17.3%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1 - 4", + "30%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "26.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.2%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "22.6%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "17.3%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Levant" + ], + [ + "Junk Pile", + "1", + "5.6%", + "Abrassar, Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Adventurer's Helm is a type of Helmet in Outward." + }, + { + "name": "Alchemist Backpack", + "url": "https://outward.fandom.com/wiki/Alchemist_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "130", + "Capacity": "60", + "Class": "Backpacks", + "Durability": "∞", + "Inventory Protection": "1", + "Object ID": "5300060", + "Preservation Amount": "75%", + "Sell": "39", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a8/Alchemist_Backpack.png/revision/latest?cb=20190411000102", + "effects": [ + "Slows down the decay of perishable items by 75%.", + "Provides 1 Protection to the Durability of items in the backpack when hit by enemies" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "57.8%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "David Parks, Craftsman", + "1 - 3", + "57.8%", + "Harmattan" + ] + ] + } + ], + "description": "Alchemist Backpack is one of the Backpacks in outward." + }, + { + "name": "Alchemy Kit", + "url": "https://outward.fandom.com/wiki/Alchemy_Kit", + "categories": [ + "Deployable", + "Crafting Station", + "Items" + ], + "infobox": { + "Buy": "60", + "Class": "Deployable", + "Object ID": "5010200", + "Sell": "18", + "Type": "Crafting Station", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f8/Alchemy_Kit.png/revision/latest?cb=20190415210751", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1", + "100%", + "Hermit's House" + ], + [ + "David Parks, Craftsman", + "1", + "100%", + "Harmattan" + ], + [ + "Fourth Watcher", + "1", + "100%", + "Conflux Chambers" + ], + [ + "Gold Belly", + "1", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "1", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "1", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "1", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ], + [ + "Silver-Nose the Trader", + "1", + "100%", + "Hallowed Marsh" + ], + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 2", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 2", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 2", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 2", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 2", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 2", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "14.8%", + "Ark of the Exiled, Forest Hives" + ], + [ + "Soldier's Corpse", + "1 - 2", + "14.8%", + "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "The Alchemy Kit is one of the deployable items in Outward. When using this item it must be placed on a Campfire." + }, + { + "name": "Alertness Potion", + "url": "https://outward.fandom.com/wiki/Alertness_Potion", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Soroboreans", + "Effects": "Raises Alert level by 1Restores 50 Stamina", + "Object ID": "4300350", + "Perish Time": "∞", + "Sell": "5", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/be/Alertness_Potion.png/revision/latest/scale-to-width-down/83?cb=20200616185245", + "effects": [ + "Restores 50 Stamina", + "Player receives Alert" + ], + "recipes": [ + { + "result": "Alertness Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Nightmare Mushroom", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Alertness Potion" + }, + { + "result": "Spiked Alertness Potion", + "result_count": "1x", + "ingredients": [ + "Alertness Potion", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Alertness Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Nightmare Mushroom Stingleaf", + "result": "3x Alertness Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Alertness Potion", + "Water Nightmare Mushroom Stingleaf", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Alertness PotionStingleaf", + "result": "1x Spiked Alertness Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Spiked Alertness Potion", + "Alertness PotionStingleaf", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "4 - 8", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "4 - 8", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Wolfgang Captain", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "14.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "10.5%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "10.5%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "10.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "10.5%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 3", + "source": "Ornate Chest" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "10.5%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 3", + "10.5%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 3", + "10.5%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 3", + "10.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 3", + "10.5%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Alertness Potion is an Item in Outward." + }, + { + "name": "Alpha Jerky", + "url": "https://outward.fandom.com/wiki/Alpha_Jerky", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Health Recovery 3Rage", + "Hunger": "10%", + "Object ID": "4100013", + "Perish Time": "14 Days 21 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/70/Alpha_Jerky.png/revision/latest?cb=20190410125704", + "effects": [ + "Restores 10% Hunger", + "Player receives Rage", + "Player receives Health Recovery (level 3)" + ], + "effect_links": [ + "/wiki/Rage" + ], + "recipes": [ + { + "result": "Alpha Jerky", + "result_count": "5x", + "ingredients": [ + "Raw Alpha Meat", + "Raw Alpha Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Alpha Jerky" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Alpha Jerky" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Alpha Jerky" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Alpha Meat Raw Alpha Meat Salt Salt", + "result": "5x Alpha Jerky", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "5x Alpha Jerky", + "Raw Alpha Meat Raw Alpha Meat Salt Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Patrick Arago, General Store" + }, + { + "chance": "37%", + "locations": "Harmattan", + "quantity": "2", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "Patrick Arago, General Store", + "3 - 5", + "100%", + "New Sirocco" + ], + [ + "David Parks, Craftsman", + "2", + "37%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "42.2%", + "quantity": "1 - 5", + "source": "The Last Acolyte" + }, + { + "chance": "20.7%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + } + ], + "raw_rows": [ + [ + "The Last Acolyte", + "1 - 5", + "42.2%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "20.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Hive Prison, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Abrassar, Jade Quarry, Scarlet Sanctuary, Undercity Passage, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Royal Manticore's Lair, Wendigo Lair", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "10%", + "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress" + ], + [ + "Corpse", + "1", + "10%", + "Hive Prison, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Enmerkar Forest" + ], + [ + "Junk Pile", + "1", + "10%", + "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage" + ], + [ + "Ornate Chest", + "1", + "10%", + "Abrassar, Jade Quarry, Scarlet Sanctuary, Undercity Passage, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Royal Manticore's Lair, Wendigo Lair" + ] + ] + } + ], + "description": "Alpha Jerky is a type of Food item in Outward." + }, + { + "name": "Alpha Sandwich", + "url": "https://outward.fandom.com/wiki/Alpha_Sandwich", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "RageHealth Recovery 4", + "Hunger": "20%", + "Object ID": "4100020", + "Perish Time": "9 Days 22 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/57/Alpha_Sandwich.png/revision/latest?cb=20190410132138", + "effects": [ + "Restores 20% Hunger", + "Player receives Rage", + "Player receives Health Recovery (level 4)" + ], + "effect_links": [ + "/wiki/Rage" + ], + "recipes": [ + { + "result": "Alpha Sandwich", + "result_count": "3x", + "ingredients": [ + "Raw Alpha Meat", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Alpha Sandwich" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Alpha Meat Bread", + "result": "3x Alpha Sandwich", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Alpha Sandwich", + "Raw Alpha Meat Bread", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Alpha Sandwich is a type of Food in Outward." + }, + { + "name": "Alpha Tuanosaur Tail", + "url": "https://outward.fandom.com/wiki/Alpha_Tuanosaur_Tail", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "130", + "Object ID": "6600190", + "Sell": "39", + "Type": "Ingredient", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d3/Alpha_Tuanosaur_Tail.png/revision/latest?cb=20190416172419", + "recipes": [ + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Alpha Tuanosaur Tail", + "Star Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Alpha Tuanosaur Tail" + }, + { + "result": "Tuanosaur Axe", + "result_count": "1x", + "ingredients": [ + "Palladium Scrap", + "Brutal Axe", + "Alpha Tuanosaur Tail" + ], + "station": "None", + "source_page": "Alpha Tuanosaur Tail" + }, + { + "result": "Tuanosaur Greataxe", + "result_count": "1x", + "ingredients": [ + "Brutal Greataxe", + "Alpha Tuanosaur Tail", + "Alpha Tuanosaur Tail", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Alpha Tuanosaur Tail" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterAlpha Tuanosaur TailStar Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Palladium ScrapBrutal AxeAlpha Tuanosaur Tail", + "result": "1x Tuanosaur Axe", + "station": "None" + }, + { + "ingredients": "Brutal GreataxeAlpha Tuanosaur TailAlpha Tuanosaur TailPalladium Scrap", + "result": "1x Tuanosaur Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Great Astral Potion", + "WaterAlpha Tuanosaur TailStar Mushroom", + "Alchemy Kit" + ], + [ + "1x Tuanosaur Axe", + "Palladium ScrapBrutal AxeAlpha Tuanosaur Tail", + "None" + ], + [ + "1x Tuanosaur Greataxe", + "Brutal GreataxeAlpha Tuanosaur TailAlpha Tuanosaur TailPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Alpha Tuanosaur" + } + ], + "raw_rows": [ + [ + "Alpha Tuanosaur", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Alpha Tuanosaur Tail is an item in Outward." + }, + { + "name": "Ambraine", + "url": "https://outward.fandom.com/wiki/Ambraine", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "50", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 5Hot Weather DefenseCauses Ambraine Withdrawal after 6 hours without taking Ambraine", + "Object ID": "4000430", + "Perish Time": "19 Days, 20 Hours", + "Sell": "15", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3a/Ambraine.png/revision/latest/scale-to-width-down/83?cb=20201220073747", + "effects": [ + "Player receives Stamina Recovery (level 5)", + "Player receives Hot Weather Defense", + "Causes Ambraine Withdrawal after 6 hours without taking Ambraine" + ], + "recipes": [ + { + "result": "Nerve Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Ambraine", + "Charge – Nerve Gas" + ], + "station": "Alchemy Kit", + "source_page": "Ambraine" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb KitAmbraineCharge – Nerve Gas", + "result": "1x Nerve Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Nerve Bomb", + "Bomb KitAmbraineCharge – Nerve Gas", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Ambraine (Gatherable)" + } + ], + "raw_rows": [ + [ + "Ambraine (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "1 - 2", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Patrick Arago, General Store" + }, + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 50", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Apprentice Ritualist", + "1 - 2", + "100%", + "Ritualist's hut" + ], + [ + "Brad Aberdeen, Chef", + "3 - 5", + "100%", + "New Sirocco" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 5", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "3 - 5", + "100%", + "New Sirocco" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 50", + "50.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.3%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "14.3%", + "locations": "Oil Refinery, The Eldest Brother", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "14.3%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "14.3%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.3%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "14.3%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "14.3%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "14.3%", + "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone" + ], + [ + "Corpse", + "1", + "14.3%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "14.3%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "14.3%", + "Oil Refinery, The Eldest Brother" + ], + [ + "Knight's Corpse", + "1", + "14.3%", + "Steam Bath Tunnels" + ], + [ + "Ornate Chest", + "1", + "14.3%", + "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony" + ], + [ + "Scavenger's Corpse", + "1", + "14.3%", + "Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "14.3%", + "Old Sirocco" + ] + ] + } + ], + "description": "Ambraine is an Item in Outward." + }, + { + "name": "Amethyst Geode", + "url": "https://outward.fandom.com/wiki/Amethyst_Geode", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6000370", + "Sell": "27", + "Type": "Ingredient", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/43/Amethyst_Geode.png/revision/latest/scale-to-width-down/83?cb=20201220073748", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Requires Expanded Library upgrade+40% Physical Damage Bonus", + "enchantment": "Fechtbuch" + } + ], + "raw_rows": [ + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Fechtbuch", + "Requires Expanded Library upgrade+40% Physical Damage Bonus" + ] + ] + }, + { + "title": "Acquired From / Unidentified Sample Sources", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + } + ], + "description": "Amethyst Geode is an Item in Outward." + }, + { + "name": "Ammolite", + "url": "https://outward.fandom.com/wiki/Ammolite", + "categories": [ + "Ingredient", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "35", + "Object ID": "6200050", + "Sell": "10", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c9/Ammolite.png/revision/latest?cb=20190416175831", + "recipes": [ + { + "result": "Ammolite Armor", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Armor", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Ammolite" + }, + { + "result": "Ammolite Boots", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Boots", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Ammolite" + }, + { + "result": "Ammolite Helm", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Helm", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Ammolite" + }, + { + "result": "Manticore Dagger", + "result_count": "1x", + "ingredients": [ + "Manticore Tail", + "Palladium Scrap", + "Ammolite" + ], + "station": "None", + "source_page": "Ammolite" + } + ], + "tables": [ + { + "title": "Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "AmmolitePadded ArmorPalladium Scrap", + "result": "1x Ammolite Armor", + "station": "None" + }, + { + "ingredients": "AmmolitePadded BootsPalladium Scrap", + "result": "1x Ammolite Boots", + "station": "None" + }, + { + "ingredients": "AmmolitePadded HelmPalladium Scrap", + "result": "1x Ammolite Helm", + "station": "None" + }, + { + "ingredients": "Manticore TailPalladium ScrapAmmolite", + "result": "1x Manticore Dagger", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ammolite Armor", + "AmmolitePadded ArmorPalladium Scrap", + "None" + ], + [ + "1x Ammolite Boots", + "AmmolitePadded BootsPalladium Scrap", + "None" + ], + [ + "1x Ammolite Helm", + "AmmolitePadded HelmPalladium Scrap", + "None" + ], + [ + "1x Manticore Dagger", + "Manticore TailPalladium ScrapAmmolite", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Ammolite Vein" + } + ], + "raw_rows": [ + [ + "Ammolite Vein", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "26.3%", + "quantity": "1", + "source": "Sandrose Horror" + }, + { + "chance": "26.3%", + "quantity": "1", + "source": "Shell Horror" + } + ], + "raw_rows": [ + [ + "Sandrose Horror", + "1", + "26.3%" + ], + [ + "Shell Horror", + "1", + "26.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1 - 2", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1 - 2", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1 - 2", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1 - 2", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "The sources above were generated dynamically. Click here to force an update of the data." + }, + { + "name": "Ammolite Armor", + "url": "https://outward.fandom.com/wiki/Ammolite_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "220", + "Cold Weather Def.": "10", + "Damage Bonus": "10%", + "Damage Resist": "15% 30%", + "Durability": "285", + "Impact Resist": "25%", + "Item Set": "Ammolite Set", + "Object ID": "3100130", + "Protection": "1", + "Sell": "73", + "Slot": "Chest", + "Stamina Cost": "3%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/72/Ammolite_Armor.png/revision/latest?cb=20190415110107", + "recipes": [ + { + "result": "Ammolite Armor", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Armor", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Ammolite Armor" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ammolite Padded Armor Palladium Scrap", + "result": "1x Ammolite Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ammolite Armor", + "Ammolite Padded Armor Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Ammolite Armor is a craftable Armor in Outward." + }, + { + "name": "Ammolite Boots", + "url": "https://outward.fandom.com/wiki/Ammolite_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "120", + "Cold Weather Def.": "5", + "Damage Bonus": "5%", + "Damage Resist": "9% 15%", + "Durability": "285", + "Impact Resist": "14%", + "Item Set": "Ammolite Set", + "Object ID": "3100132", + "Protection": "1", + "Sell": "39", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c0/Ammolite_Boots.png/revision/latest?cb=20190415150246", + "recipes": [ + { + "result": "Ammolite Boots", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Boots", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Ammolite Boots" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ammolite Padded Boots Palladium Scrap", + "result": "1x Ammolite Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ammolite Boots", + "Ammolite Padded Boots Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Ammolite Boots is a craftable type of Boots in Outward." + }, + { + "name": "Ammolite Helm", + "url": "https://outward.fandom.com/wiki/Ammolite_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "120", + "Cold Weather Def.": "5", + "Damage Bonus": "5%", + "Damage Resist": "9% 15%", + "Durability": "285", + "Impact Resist": "14%", + "Item Set": "Ammolite Set", + "Mana Cost": "15%", + "Object ID": "3100131", + "Protection": "1", + "Sell": "36", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/36/Ammolite_Helm.png/revision/latest?cb=20190407193542", + "recipes": [ + { + "result": "Ammolite Helm", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Helm", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Ammolite Helm" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ammolite Padded Helm Palladium Scrap", + "result": "1x Ammolite Helm", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ammolite Helm", + "Ammolite Padded Helm Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Ammolite Helm is a craftable helmet in Outward." + }, + { + "name": "Ammolite Set", + "url": "https://outward.fandom.com/wiki/Ammolite_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "460", + "Cold Weather Def.": "20", + "Damage Bonus": "20%", + "Damage Resist": "33% 60%", + "Durability": "855", + "Impact Resist": "53%", + "Mana Cost": "15%", + "Object ID": "3100130 (Chest)3100132 (Legs)3100131 (Head)", + "Protection": "3", + "Sell": "148", + "Slot": "Set", + "Stamina Cost": "7%", + "Weight": "19.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/ca/AmmoliteSet_photo.jpg/revision/latest/scale-to-width-down/172?cb=20190402133201", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "25%", + "column_5": "1", + "column_7": "10", + "column_8": "3%", + "column_9": "–", + "damage_bonus%": "10%", + "durability": "285", + "name": "Ammolite Armor", + "resistances": "15% 30%", + "weight": "10.0" + }, + { + "class": "Boots", + "column_4": "14%", + "column_5": "1", + "column_7": "5", + "column_8": "2%", + "column_9": "–", + "damage_bonus%": "5%", + "durability": "285", + "name": "Ammolite Boots", + "resistances": "9% 15%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "14%", + "column_5": "1", + "column_7": "5", + "column_8": "2%", + "column_9": "15%", + "damage_bonus%": "5%", + "durability": "285", + "name": "Ammolite Helm", + "resistances": "9% 15%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Ammolite Armor", + "15% 30%", + "25%", + "1", + "10%", + "10", + "3%", + "–", + "285", + "10.0", + "Body Armor" + ], + [ + "", + "Ammolite Boots", + "9% 15%", + "14%", + "1", + "5%", + "5", + "2%", + "–", + "285", + "6.0", + "Boots" + ], + [ + "", + "Ammolite Helm", + "9% 15%", + "14%", + "1", + "5%", + "5", + "2%", + "15%", + "285", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "25%", + "column_5": "1", + "column_7": "10", + "column_8": "3%", + "column_9": "–", + "damage_bonus%": "10%", + "durability": "285", + "name": "Ammolite Armor", + "resistances": "15% 30%", + "weight": "10.0" + }, + { + "class": "Boots", + "column_4": "14%", + "column_5": "1", + "column_7": "5", + "column_8": "2%", + "column_9": "–", + "damage_bonus%": "5%", + "durability": "285", + "name": "Ammolite Boots", + "resistances": "9% 15%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "14%", + "column_5": "1", + "column_7": "5", + "column_8": "2%", + "column_9": "15%", + "damage_bonus%": "5%", + "durability": "285", + "name": "Ammolite Helm", + "resistances": "9% 15%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Ammolite Armor", + "15% 30%", + "25%", + "1", + "10%", + "10", + "3%", + "–", + "285", + "10.0", + "Body Armor" + ], + [ + "", + "Ammolite Boots", + "9% 15%", + "14%", + "1", + "5%", + "5", + "2%", + "–", + "285", + "6.0", + "Boots" + ], + [ + "", + "Ammolite Helm", + "9% 15%", + "14%", + "1", + "5%", + "5", + "2%", + "15%", + "285", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Ammolite Set is a Set in Outward." + }, + { + "name": "Ancient Calygrey Mace", + "url": "https://outward.fandom.com/wiki/Ancient_Calygrey_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2000", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "34 24", + "Durability": "400", + "Impact": "51", + "Object ID": "2020325", + "Sell": "600", + "Stamina Cost": "4.4", + "Type": "One-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e4/Ancient_Calygrey_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220073749", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.4", + "damage": "34 24", + "description": "Two wide-sweeping strikes, right to left", + "impact": "51", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "44.2 31.2", + "description": "Slow, overhead strike with high impact", + "impact": "127.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "44.2 31.2", + "description": "Fast, forward-thrusting strike", + "impact": "66.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "44.2 31.2", + "description": "Fast, forward-thrusting strike", + "impact": "66.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34 24", + "51", + "4.4", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "44.2 31.2", + "127.5", + "5.72", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "44.2 31.2", + "66.3", + "5.72", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "44.2 31.2", + "66.3", + "5.72", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Calygrey Mace", + "upgrade": "Ancient Calygrey Mace" + } + ], + "raw_rows": [ + [ + "Calygrey Mace", + "Ancient Calygrey Mace" + ] + ] + } + ], + "description": "Ancient Calygrey Mace is a type of Weapon in Outward." + }, + { + "name": "Ancient Calygrey Staff", + "url": "https://outward.fandom.com/wiki/Ancient_Calygrey_Staff", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "30 5", + "Damage Bonus": "20% 20%", + "Durability": "225", + "Impact": "45", + "Mana Cost": "-20%", + "Object ID": "2150165", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Staff", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/42/Ancient_Calygrey_Staff.png/revision/latest/scale-to-width-down/83?cb=20201223084655", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "30 5", + "description": "Two wide-sweeping strikes, left to right", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "39 6.5", + "description": "Forward-thrusting strike", + "impact": "58.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "39 6.5", + "description": "Wide-sweeping strike from left", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "51 8.5", + "description": "Slow but powerful sweeping strike", + "impact": "76.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30 5", + "45", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "39 6.5", + "58.5", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "39 6.5", + "58.5", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "51 8.5", + "76.5", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Calygrey Staff", + "upgrade": "Ancient Calygrey Staff" + } + ], + "raw_rows": [ + [ + "Calygrey Staff", + "Ancient Calygrey Staff" + ] + ] + } + ], + "description": "Ancient Calygrey Staff is a type of Weapon in Outward." + }, + { + "name": "Angel Food Cake", + "url": "https://outward.fandom.com/wiki/Angel_Food_Cake", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "11", + "DLC": "The Soroboreans", + "Effects": "DisciplineStamina Recovery 3Hot Weather Defense", + "Hunger": "12%", + "Object ID": "4100740", + "Perish Time": "16 Days, 16 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c0/Angel_Food_Cake.png/revision/latest/scale-to-width-down/83?cb=20200616185247", + "effects": [ + "Restores 12% Hunger", + "Player receives Discipline", + "Player receives Stamina Recovery (level 3)", + "Player receives Hot Weather Defense" + ], + "effect_links": [ + "/wiki/Discipline" + ], + "recipes": [ + { + "result": "Angel Food Cake", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Angel Food Cake" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Flour Egg Sugar", + "result": "3x Angel Food Cake", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Angel Food Cake", + "Flour Egg Sugar", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "35.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "3", + "35.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Bonded Beastmaster" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + }, + { + "chance": "1.6%", + "quantity": "1 - 2", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "1 - 2", + "1.7%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "1.7%" + ], + [ + "Blood Sorcerer", + "1 - 2", + "1.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.6%", + "locations": "Harmattan", + "quantity": "1 - 6", + "source": "Stash" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "2.8%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Stash", + "1 - 6", + "36.6%", + "Harmattan" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 2", + "2.8%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Angel Food Cake is a type of Food in Outward." + }, + { + "name": "Angler Shield", + "url": "https://outward.fandom.com/wiki/Angler_Shield", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Shields", + "DLC": "The Three Brothers", + "Damage": "55", + "Durability": "275", + "Effects": "Sapped", + "Impact": "55", + "Impact Resist": "19.2%", + "Object ID": "2300365", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d4/Angler_Shield.png/revision/latest/scale-to-width-down/83?cb=20201220073750", + "effects": [ + "Inflicts Sapped (60% buildup)", + "Provides immunity to Mild Petrification, Plague and Breathless.", + "Provides a light which does not lower Stealth." + ], + "effect_links": [ + "/wiki/Sapped", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + } + ], + "description": "Angler Shield is a Unique type of Shield in Outward." + }, + { + "name": "Antidote", + "url": "https://outward.fandom.com/wiki/Antidote", + "categories": [ + "Items", + "Consumables", + "Consumable", + "Potions" + ], + "infobox": { + "Buy": "7", + "Effects": "Removes all Poison effects", + "Object ID": "4300110", + "Perish Time": "∞", + "Sell": "2", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/71/Antidote.png/revision/latest?cb=20190410154259", + "effects": [ + "This potion removes all \"poison\" effects." + ], + "effect_links": [ + "/wiki/Effects#Damage" + ], + "recipes": [ + { + "result": "Antidote", + "result_count": "1x", + "ingredients": [ + "Common Mushroom", + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Antidote" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Common Mushroom Thick Oil Water", + "result": "1x Antidote", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Antidote", + "Common Mushroom Thick Oil Water", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "1 - 2", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 4", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 2", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1 - 2", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 2", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1 - 2", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + }, + { + "chance": "100%", + "locations": "Abrassar", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Caldera", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Chersonese", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Apprentice Ritualist", + "1 - 2", + "100%", + "Ritualist's hut" + ], + [ + "Felix Jimson, Shopkeeper", + "3 - 4", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "1", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "1 - 2", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "1 - 2", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 2", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Lyda", + "1 - 2", + "100%", + "Monsoon" + ], + [ + "Silver-Nose the Trader", + "1", + "100%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "33.8%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + }, + { + "chance": "32%", + "quantity": "1 - 3", + "source": "Wolfgang Veteran" + }, + { + "chance": "30.1%", + "quantity": "1 - 3", + "source": "Wolfgang Captain" + }, + { + "chance": "29.8%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + }, + { + "chance": "26.3%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "25.9%", + "quantity": "1 - 4", + "source": "Blood Sorcerer" + }, + { + "chance": "24.7%", + "quantity": "1 - 5", + "source": "The Last Acolyte" + }, + { + "chance": "24.4%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "22.1%", + "quantity": "1 - 4", + "source": "Bonded Beastmaster" + }, + { + "chance": "22%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "22%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + }, + { + "chance": "20.7%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "19.3%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "16.4%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "16.1%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Marsh Archer Captain", + "1 - 4", + "33.8%" + ], + [ + "Wolfgang Veteran", + "1 - 3", + "32%" + ], + [ + "Wolfgang Captain", + "1 - 3", + "30.1%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "29.8%" + ], + [ + "Kazite Admiral", + "1 - 5", + "26.3%" + ], + [ + "Blood Sorcerer", + "1 - 4", + "25.9%" + ], + [ + "The Last Acolyte", + "1 - 5", + "24.7%" + ], + [ + "Marsh Captain", + "1 - 4", + "24.4%" + ], + [ + "Bonded Beastmaster", + "1 - 4", + "22.1%" + ], + [ + "Bandit Captain", + "1 - 4", + "22%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "22%" + ], + [ + "Desert Captain", + "1 - 5", + "20.7%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "19.3%" + ], + [ + "Kazite Archer", + "1 - 4", + "16.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "16.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Antidote is a type of Potion in Outward." + }, + { + "name": "Antique Eel", + "url": "https://outward.fandom.com/wiki/Antique_Eel", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "3", + "DLC": "The Soroboreans", + "Effects": "Mana Recovery 1IndigestionRemoves Weaken", + "Hunger": "11%", + "Object ID": "4000320", + "Perish Time": "4 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/31/Antique_Eel.png/revision/latest/scale-to-width-down/83?cb=20200616185252", + "effects": [ + "Restores 11% Hunger", + "Player receives Indigestion (100% chance)", + "Player receives Mana Ratio Recovery (level 1)", + "Removes Weaken" + ], + "recipes": [ + { + "result": "Grilled Eel", + "result_count": "1x", + "ingredients": [ + "Antique Eel" + ], + "station": "Campfire", + "source_page": "Antique Eel" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Antique Eel" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Antique Eel" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Antique Eel" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Antique Eel", + "result": "1x Grilled Eel", + "station": "Campfire" + }, + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Grilled Eel", + "Antique Eel", + "Campfire" + ], + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "57.1%", + "quantity": "1", + "source": "Fishing/Harmattan" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Fishing/Harmattan Magic" + } + ], + "raw_rows": [ + [ + "Fishing/Harmattan", + "1", + "57.1%" + ], + [ + "Fishing/Harmattan Magic", + "1", + "28.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "4 - 6", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Pelletier Baker, Chef", + "4 - 6", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "33.3%", + "quantity": "1", + "source": "Veaber" + } + ], + "raw_rows": [ + [ + "Veaber", + "1", + "33.3%" + ] + ] + } + ], + "description": "Antique Eel is an Item in Outward." + }, + { + "name": "Antique Plate Boots", + "url": "https://outward.fandom.com/wiki/Antique_Plate_Boots", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "200", + "Cold Weather Def.": "5", + "DLC": "The Soroboreans", + "Damage Bonus": "5% 10%", + "Damage Resist": "8%", + "Durability": "195", + "Impact Resist": "6%", + "Item Set": "Antique Plate Set", + "Made By": "Howard Brock (Harmattan)", + "Materials": "1x Shield Golem Scraps 200", + "Object ID": "3100252", + "Protection": "3", + "Sell": "60", + "Slot": "Legs", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8f/Antique_Plate_Boots.png/revision/latest/scale-to-width-down/83?cb=20200616185254", + "recipes": [ + { + "result": "Antique Plate Boots", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Shield Golem Scraps" + ], + "station": "Howard Brock", + "source_page": "Antique Plate Boots" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver1x Shield Golem Scraps", + "result": "1x Antique Plate Boots", + "station": "Howard Brock" + } + ], + "raw_rows": [ + [ + "1x Antique Plate Boots", + "200 silver1x Shield Golem Scraps", + "Howard Brock" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)", + "enchantment": "Economy" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Economy", + "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "The Antique Plate Boots are boots made from Shield Golem Scraps." + }, + { + "name": "Antique Plate Garb", + "url": "https://outward.fandom.com/wiki/Antique_Plate_Garb", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "360", + "Cold Weather Def.": "15", + "DLC": "The Soroboreans", + "Damage Bonus": "10% 15%", + "Damage Resist": "15%", + "Durability": "195", + "Impact Resist": "8%", + "Item Set": "Antique Plate Set", + "Made By": "Howard Brock (Harmattan)", + "Materials": "1x Shield Golem Scraps 400", + "Object ID": "3100250", + "Protection": "4", + "Sell": "108", + "Slot": "Chest", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8c/Antique_Plate_Garb.png/revision/latest/scale-to-width-down/83?cb=20200616185255", + "recipes": [ + { + "result": "Antique Plate Garb", + "result_count": "1x", + "ingredients": [ + "400 silver", + "1x Shield Golem Scraps" + ], + "station": "Howard Brock", + "source_page": "Antique Plate Garb" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "400 silver1x Shield Golem Scraps", + "result": "1x Antique Plate Garb", + "station": "Howard Brock" + } + ], + "raw_rows": [ + [ + "1x Antique Plate Garb", + "400 silver1x Shield Golem Scraps", + "Howard Brock" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)", + "enchantment": "Economy" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5% Cooldown ReductionGain +25% Decay damage bonus", + "enchantment": "Spirit of Harmattan" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Economy", + "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Harmattan", + "Gain +5% Cooldown ReductionGain +25% Decay damage bonus" + ] + ] + } + ], + "description": "The Antique Plate Garb is a chest piece made from Shield Golem Scraps." + }, + { + "name": "Antique Plate Sallet", + "url": "https://outward.fandom.com/wiki/Antique_Plate_Sallet", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "200", + "Cold Weather Def.": "10", + "DLC": "The Soroboreans", + "Damage Bonus": "5% 10%", + "Damage Resist": "8%", + "Durability": "195", + "Impact Resist": "6%", + "Item Set": "Antique Plate Set", + "Made By": "Howard Brock (Harmattan)", + "Mana Cost": "-10%", + "Materials": "1x Shield Golem Scraps 200", + "Object ID": "3100251", + "Protection": "2", + "Sell": "60", + "Slot": "Head", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f0/Antique_Plate_Sallet.png/revision/latest/scale-to-width-down/83?cb=20200616185257", + "recipes": [ + { + "result": "Antique Plate Sallet", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Shield Golem Scraps" + ], + "station": "Howard Brock", + "source_page": "Antique Plate Sallet" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver1x Shield Golem Scraps", + "result": "1x Antique Plate Sallet", + "station": "Howard Brock" + } + ], + "raw_rows": [ + [ + "1x Antique Plate Sallet", + "200 silver1x Shield Golem Scraps", + "Howard Brock" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)", + "enchantment": "Economy" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Economy", + "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "The Antique Plate Sallet is a helmet made from Shield Golem Scraps." + }, + { + "name": "Antique Plate Set", + "url": "https://outward.fandom.com/wiki/Antique_Plate_Set", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "760", + "Cold Weather Def.": "30", + "DLC": "The Soroboreans", + "Damage Bonus": "20% 35%", + "Damage Resist": "31%", + "Durability": "585", + "Impact Resist": "20%", + "Mana Cost": "-10%", + "Object ID": "3100252 (Legs)3100250 (Chest)3100251 (Head)", + "Protection": "9", + "Sell": "228", + "Slot": "Set", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/85/Antique_Plate_Set.png/revision/latest/scale-to-width-down/250?cb=20201231063811", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "6%", + "column_5": "3", + "column_7": "5", + "column_8": "–", + "damage_bonus%": "5% 10%", + "durability": "195", + "name": "Antique Plate Boots", + "resistances": "8%", + "weight": "4.0" + }, + { + "class": "Body Armor", + "column_4": "8%", + "column_5": "4", + "column_7": "15", + "column_8": "–", + "damage_bonus%": "10% 15%", + "durability": "195", + "name": "Antique Plate Garb", + "resistances": "15%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "6%", + "column_5": "2", + "column_7": "10", + "column_8": "-10%", + "damage_bonus%": "5% 10%", + "durability": "195", + "name": "Antique Plate Sallet", + "resistances": "8%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Antique Plate Boots", + "8%", + "6%", + "3", + "5% 10%", + "5", + "–", + "195", + "4.0", + "Boots" + ], + [ + "", + "Antique Plate Garb", + "15%", + "8%", + "4", + "10% 15%", + "15", + "–", + "195", + "8.0", + "Body Armor" + ], + [ + "", + "Antique Plate Sallet", + "8%", + "6%", + "2", + "5% 10%", + "10", + "-10%", + "195", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "6%", + "column_5": "3", + "column_7": "5", + "column_8": "–", + "damage_bonus%": "5% 10%", + "durability": "195", + "name": "Antique Plate Boots", + "resistances": "8%", + "weight": "4.0" + }, + { + "class": "Body Armor", + "column_4": "8%", + "column_5": "4", + "column_7": "15", + "column_8": "–", + "damage_bonus%": "10% 15%", + "durability": "195", + "name": "Antique Plate Garb", + "resistances": "15%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "6%", + "column_5": "2", + "column_7": "10", + "column_8": "-10%", + "damage_bonus%": "5% 10%", + "durability": "195", + "name": "Antique Plate Sallet", + "resistances": "8%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Antique Plate Boots", + "8%", + "6%", + "3", + "5% 10%", + "5", + "–", + "195", + "4.0", + "Boots" + ], + [ + "", + "Antique Plate Garb", + "15%", + "8%", + "4", + "10% 15%", + "15", + "–", + "195", + "8.0", + "Body Armor" + ], + [ + "", + "Antique Plate Sallet", + "8%", + "6%", + "2", + "5% 10%", + "10", + "-10%", + "195", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Antique Plate Set is a Set in Outward." + }, + { + "name": "Apollo Incense", + "url": "https://outward.fandom.com/wiki/Apollo_Incense", + "categories": [ + "DLC: The Soroboreans", + "Incense", + "Items" + ], + "infobox": { + "Buy": "600", + "Class": "Incense", + "DLC": "The Soroboreans", + "Object ID": "6000180", + "Sell": "180", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a0/Apollo_Incense.png/revision/latest/scale-to-width-down/83?cb=20200616185259", + "recipes": [ + { + "result": "Apollo Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Fire", + "Monarch Incense" + ], + "station": "Alchemy Kit", + "source_page": "Apollo Incense" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying Quartz Tourmaline Elemental Particle – Fire Monarch Incense", + "result": "4x Apollo Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Apollo Incense", + "Purifying Quartz Tourmaline Elemental Particle – Fire Monarch Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.4%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "24.4%", + "Forgotten Research Laboratory" + ] + ] + }, + { + "title": "Used In Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Grants 10% Cooldown Reduction", + "enchantment": "Adrenaline" + }, + { + "effects": "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots", + "enchantment": "Beast of Burden" + }, + { + "effects": "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Forge Fire" + }, + { + "effects": "Gain +20% Lightning damage bonusWeapon now inflicts Doomed (35% buildup) and Elemental Vulnerability (25% buildup)", + "enchantment": "Redemption" + }, + { + "effects": "Gain +15 Corruption resistanceGain +25% Lightning damage bonus", + "enchantment": "Spirit of Monsoon" + }, + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Curse and Scorched (both 33% buildup)", + "enchantment": "War Memento" + } + ], + "raw_rows": [ + [ + "Adrenaline", + "Grants 10% Cooldown Reduction" + ], + [ + "Beast of Burden", + "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots" + ], + [ + "Forge Fire", + "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Redemption", + "Gain +20% Lightning damage bonusWeapon now inflicts Doomed (35% buildup) and Elemental Vulnerability (25% buildup)" + ], + [ + "Spirit of Monsoon", + "Gain +15 Corruption resistanceGain +25% Lightning damage bonus" + ], + [ + "War Memento", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Curse and Scorched (both 33% buildup)" + ] + ] + } + ], + "description": "Apollo Incense is an Item in Outward, used in Enchanting." + }, + { + "name": "Arcane Dampener", + "url": "https://outward.fandom.com/wiki/Arcane_Dampener", + "categories": [ + "DLC: The Soroboreans", + "Trap Component", + "Items" + ], + "infobox": { + "Buy": "10", + "Class": "Trap Component", + "DLC": "The Soroboreans", + "Object ID": "6500160", + "Sell": "3", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/87/Arcane_Dampener.png/revision/latest/scale-to-width-down/83?cb=20200616185300", + "recipes": [ + { + "result": "Arcane Dampener", + "result_count": "1x", + "ingredients": [ + "Dreamer's Root", + "Crystal Powder", + "Boozu's Hide" + ], + "station": "None", + "source_page": "Arcane Dampener" + } + ], + "tables": [ + { + "title": "Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's Root Crystal Powder Boozu's Hide", + "result": "1x Arcane Dampener", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Arcane Dampener", + "Dreamer's Root Crystal Powder Boozu's Hide", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "4 - 6", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "2", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Lawrence Dakers, Hunter", + "4 - 6", + "100%", + "Harmattan" + ], + [ + "Howard Brock, Blacksmith", + "2", + "17.6%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "10.5%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "10.5%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "10.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "10.5%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "10.5%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 2", + "10.5%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "10.5%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 2", + "10.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 2", + "10.5%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 2", + "10.5%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "10.5%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Arcane Dampener is a type of craftable item in Outward that is used to arm Pressure Plate Trap." + }, + { + "name": "Arcane Hood", + "url": "https://outward.fandom.com/wiki/Arcane_Hood", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "100", + "Cold Weather Def.": "3", + "Cooldown Reduction": "5%", + "Damage Resist": "6% 20% 20%", + "Durability": "180", + "Impact Resist": "3%", + "Item Set": "Arcane Set", + "Mana Cost": "-10%", + "Object ID": "3000261", + "Protection": "1", + "Sell": "30", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f6/Arcane_Hood.png/revision/latest?cb=20190407193709", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance", + "enchantment": "Stabilizing Forces" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Stabilizing Forces", + "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "23.4%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 2", + "23.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.3%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.3%", + "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon" + ], + [ + "Hollowed Trunk", + "1", + "5.3%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.3%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Arcane Hood is a type of helmet in Outward." + }, + { + "name": "Arcane Robe", + "url": "https://outward.fandom.com/wiki/Arcane_Robe", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "200", + "Cold Weather Def.": "6", + "Cooldown Reduction": "5%", + "Damage Bonus": "10%", + "Damage Resist": "10% 20% 20% 20%", + "Durability": "180", + "Impact Resist": "4%", + "Item Set": "Arcane Set", + "Mana Cost": "-15%", + "Object ID": "3000260", + "Sell": "60", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b3/Arcane_Robe.png/revision/latest?cb=20190415110555", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance", + "enchantment": "Stabilizing Forces" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Stabilizing Forces", + "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "23.4%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 2", + "23.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Balira" + }, + { + "chance": "5%", + "quantity": "1 - 3", + "source": "Ice Witch" + } + ], + "raw_rows": [ + [ + "Balira", + "1", + "100%" + ], + [ + "Ice Witch", + "1 - 3", + "5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.3%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.3%", + "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon" + ], + [ + "Hollowed Trunk", + "1", + "5.3%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.3%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Arcane Robe is a type of Armor in Outward." + }, + { + "name": "Arcane Set", + "url": "https://outward.fandom.com/wiki/Arcane_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "300", + "Cold Weather Def.": "9", + "Cooldown Reduction": "10%", + "Damage Bonus": "10%", + "Damage Resist": "16% 20% 20% 20% 20% 20%", + "Durability": "360", + "Impact Resist": "7%", + "Mana Cost": "-25%", + "Object ID": "3000261 (Head)3000260 (Chest)", + "Protection": "1", + "Sell": "90", + "Slot": "Set", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/06/Arcane_set.png/revision/latest/scale-to-width-down/195?cb=20190423171559", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Helmets", + "column_4": "3%", + "column_5": "1", + "column_7": "3", + "column_8": "-10%", + "column_9": "5%", + "damage_bonus%": "–", + "durability": "180", + "name": "Arcane Hood", + "resistances": "6% 20% 20%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "–", + "column_7": "6", + "column_8": "-15%", + "column_9": "5%", + "damage_bonus%": "10%", + "durability": "180", + "name": "Arcane Robe", + "resistances": "10% 20% 20% 20%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Arcane Hood", + "6% 20% 20%", + "3%", + "1", + "–", + "3", + "-10%", + "5%", + "180", + "1.0", + "Helmets" + ], + [ + "", + "Arcane Robe", + "10% 20% 20% 20%", + "4%", + "–", + "10%", + "6", + "-15%", + "5%", + "180", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Helmets", + "column_4": "3%", + "column_5": "1", + "column_7": "3", + "column_8": "-10%", + "column_9": "5%", + "damage_bonus%": "–", + "durability": "180", + "name": "Arcane Hood", + "resistances": "6% 20% 20%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "–", + "column_7": "6", + "column_8": "-15%", + "column_9": "5%", + "damage_bonus%": "10%", + "durability": "180", + "name": "Arcane Robe", + "resistances": "10% 20% 20% 20%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Arcane Hood", + "6% 20% 20%", + "3%", + "1", + "–", + "3", + "-10%", + "5%", + "180", + "1.0", + "Helmets" + ], + [ + "", + "Arcane Robe", + "10% 20% 20% 20%", + "4%", + "–", + "10%", + "6", + "-15%", + "5%", + "180", + "4.0", + "Body Armor" + ] + ] + } + ] + }, + { + "name": "Arrow", + "url": "https://outward.fandom.com/wiki/Arrow", + "categories": [ + "Arrow", + "Ammunition", + "Items" + ], + "infobox": { + "Buy": "2", + "Class": "Arrow", + "Object ID": "5200001", + "Sell": "0", + "Type": "Ammunition", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/41/Arrow.png/revision/latest?cb=20190413140656", + "recipes": [ + { + "result": "Arrow", + "result_count": "3x", + "ingredients": [ + "Iron Scrap", + "Wood" + ], + "station": "None", + "source_page": "Arrow" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Scrap Wood", + "result": "3x Arrow", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Arrow", + "Iron Scrap Wood", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "6", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "60", + "source": "Iron Sides" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "12 - 24", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "30", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "60", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "30", + "source": "Ogoi, Kazite Assassin" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "60", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "10 - 45", + "source": "Sal Dumas, Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "60", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "28.4%", + "locations": "Berg", + "quantity": "10 - 90", + "source": "Shopkeeper Pleel" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "8", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "11.4%", + "locations": "Giants' Village", + "quantity": "10 - 20", + "source": "Gold Belly" + }, + { + "chance": "11.4%", + "locations": "Hallowed Marsh", + "quantity": "10 - 20", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "6", + "100%", + "Harmattan" + ], + [ + "Iron Sides", + "60", + "100%", + "Giants' Village" + ], + [ + "Lawrence Dakers, Hunter", + "12 - 24", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "30", + "100%", + "Cierzo" + ], + [ + "Master-Smith Tokuga", + "60", + "100%", + "Levant" + ], + [ + "Ogoi, Kazite Assassin", + "30", + "100%", + "Berg" + ], + [ + "Quikiza the Blacksmith", + "60", + "100%", + "Berg" + ], + [ + "Sal Dumas, Blacksmith", + "10 - 45", + "100%", + "New Sirocco" + ], + [ + "Vyzyrinthrix the Blacksmith", + "60", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "10 - 90", + "28.4%", + "Berg" + ], + [ + "Howard Brock, Blacksmith", + "8", + "17.6%", + "Harmattan" + ], + [ + "Gold Belly", + "10 - 20", + "11.4%", + "Giants' Village" + ], + [ + "Silver-Nose the Trader", + "10 - 20", + "11.4%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "5", + "source": "Animated Skeleton" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Bandit Archer" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Bandit Manhunter" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Bonded Beastmaster" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Desert Archer" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Kazite Archer" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Marsh Archer" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Marsh Archer Captain" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Marsh Bandit" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Vendavel Archer" + } + ], + "raw_rows": [ + [ + "Animated Skeleton", + "5", + "100%" + ], + [ + "Bandit Archer", + "5", + "100%" + ], + [ + "Bandit Manhunter", + "5", + "100%" + ], + [ + "Bonded Beastmaster", + "5", + "100%" + ], + [ + "Desert Archer", + "5", + "100%" + ], + [ + "Kazite Archer", + "5", + "100%" + ], + [ + "Kazite Archer (Antique Plateau)", + "5", + "100%" + ], + [ + "Marsh Archer", + "5", + "100%" + ], + [ + "Marsh Archer Captain", + "5", + "100%" + ], + [ + "Marsh Bandit", + "5", + "100%" + ], + [ + "Vendavel Archer", + "5", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "10 - 20", + "source": "Chest" + }, + { + "chance": "41.7%", + "locations": "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh", + "quantity": "6", + "source": "Supply Cache" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "6", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "6", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "6", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "6", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "6", + "source": "Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach", + "quantity": "6", + "source": "Hollowed Trunk" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage", + "quantity": "6", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "10 - 20", + "100%", + "Levant" + ], + [ + "Supply Cache", + "6", + "41.7%", + "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh" + ], + [ + "Broken Tent", + "1 - 4", + "9.1%", + "Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "6", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "6", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "6", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "6", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "6", + "8.6%", + "Abrassar, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "6", + "8.6%", + "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach" + ], + [ + "Junk Pile", + "6", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage" + ] + ] + } + ], + "description": "Arrow is one of the Arrows in Outward, used as ammunition for Bows." + }, + { + "name": "Arrowhead Kit", + "url": "https://outward.fandom.com/wiki/Arrowhead_Kit", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "5", + "DLC": "The Three Brothers", + "Object ID": "4400100", + "Sell": "2", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f8/Arrowhead_Kit.png/revision/latest/scale-to-width-down/83?cb=20201220073752", + "recipes": [ + { + "result": "Flaming Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Arrowhead Kit" + }, + { + "result": "Holy Rage Arrow", + "result_count": "3x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Gold-Lich Mechanism" + ], + "station": "Alchemy Kit", + "source_page": "Arrowhead Kit" + }, + { + "result": "Mana Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Arrowhead Kit" + }, + { + "result": "Palladium Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Palladium Scrap" + ], + "station": "Alchemy Kit", + "source_page": "Arrowhead Kit" + }, + { + "result": "Poison Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Arrowhead Kit" + }, + { + "result": "Soul Rupture Arrow", + "result_count": "3x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Arrowhead Kit" + }, + { + "result": "Venom Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Miasmapod" + ], + "station": "Alchemy Kit", + "source_page": "Arrowhead Kit" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Arrowhead KitWoodThick Oil", + "result": "5x Flaming Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodGold-Lich Mechanism", + "result": "3x Holy Rage Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodGhost's Eye", + "result": "5x Mana Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodPalladium Scrap", + "result": "5x Palladium Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodGrilled Crabeye Seed", + "result": "5x Poison Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodHexa Stone", + "result": "3x Soul Rupture Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodMiasmapod", + "result": "5x Venom Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "5x Flaming Arrow", + "Arrowhead KitWoodThick Oil", + "Alchemy Kit" + ], + [ + "3x Holy Rage Arrow", + "Arrowhead KitWoodGold-Lich Mechanism", + "Alchemy Kit" + ], + [ + "5x Mana Arrow", + "Arrowhead KitWoodGhost's Eye", + "Alchemy Kit" + ], + [ + "5x Palladium Arrow", + "Arrowhead KitWoodPalladium Scrap", + "Alchemy Kit" + ], + [ + "5x Poison Arrow", + "Arrowhead KitWoodGrilled Crabeye Seed", + "Alchemy Kit" + ], + [ + "3x Soul Rupture Arrow", + "Arrowhead KitWoodHexa Stone", + "Alchemy Kit" + ], + [ + "5x Venom Arrow", + "Arrowhead KitWoodMiasmapod", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "10 - 15", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "10 - 15", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Arrowhead Kit is an Item in Outward, used to craft advanced Arrows." + }, + { + "name": "Ash Armor", + "url": "https://outward.fandom.com/wiki/Ash_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "225", + "Cold Weather Def.": "14", + "Damage Resist": "13% 30%", + "Durability": "205", + "Hot Weather Def.": "14", + "Impact Resist": "8%", + "Item Set": "Ash Set", + "Object ID": "3000220", + "Sell": "74", + "Slot": "Chest", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/62/Ash_Armor.png/revision/latest?cb=20190415110836", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense", + "enchantment": "Cocoon" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +15 Corruption resistanceGain +25% Lightning damage bonus", + "enchantment": "Spirit of Monsoon" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Cocoon", + "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Monsoon", + "Gain +15 Corruption resistanceGain +25% Lightning damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "32.7%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "6.7%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "32.7%", + "Harmattan" + ], + [ + "Shopkeeper Suul", + "1", + "6.7%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "6.6%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "6.3%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + }, + { + "chance": "3.4%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "2.1%", + "quantity": "1 - 2", + "source": "Animated Skeleton" + }, + { + "chance": "2.1%", + "quantity": "1 - 2", + "source": "Marsh Bandit" + } + ], + "raw_rows": [ + [ + "Marsh Captain", + "1 - 4", + "6.6%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "6.3%" + ], + [ + "Marsh Archer", + "1 - 4", + "3.4%" + ], + [ + "Animated Skeleton", + "1 - 2", + "2.1%" + ], + [ + "Marsh Bandit", + "1 - 2", + "2.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Ash Armor is a type of Armor in Outward." + }, + { + "name": "Ash Boots", + "url": "https://outward.fandom.com/wiki/Ash_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "100", + "Cold Weather Def.": "7", + "Damage Resist": "7% 20%", + "Durability": "205", + "Hot Weather Def.": "7", + "Impact Resist": "5%", + "Item Set": "Ash Set", + "Object ID": "3000222", + "Sell": "33", + "Slot": "Legs", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/59/Ash_Boots.png/revision/latest?cb=20190415150919", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense", + "enchantment": "Cocoon" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Cocoon", + "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "17.9%", + "locations": "Monsoon", + "quantity": "1 - 3", + "source": "Shopkeeper Lyda" + }, + { + "chance": "6.7%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Shopkeeper Lyda", + "1 - 3", + "17.9%", + "Monsoon" + ], + [ + "Shopkeeper Suul", + "1", + "6.7%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "6.6%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "6.3%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + }, + { + "chance": "3.4%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "2.1%", + "quantity": "1 - 2", + "source": "Animated Skeleton" + }, + { + "chance": "2.1%", + "quantity": "1 - 2", + "source": "Marsh Bandit" + } + ], + "raw_rows": [ + [ + "Marsh Captain", + "1 - 4", + "6.6%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "6.3%" + ], + [ + "Marsh Archer", + "1 - 4", + "3.4%" + ], + [ + "Animated Skeleton", + "1 - 2", + "2.1%" + ], + [ + "Marsh Bandit", + "1 - 2", + "2.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Ash Boots is a type of Armor in Outward." + }, + { + "name": "Ash Set", + "url": "https://outward.fandom.com/wiki/Ash_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "425", + "Cold Weather Def.": "28", + "Damage Resist": "27% 70%", + "Durability": "615", + "Hot Weather Def.": "28", + "Impact Resist": "18%", + "Object ID": "3000220 (Chest)3000222 (Legs)3000221 (Head)", + "Sell": "137", + "Slot": "Set", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9c/Ash_Armor_SS1.png/revision/latest/scale-to-width-down/229?cb=20190405221120", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "8%", + "column_5": "14", + "column_6": "14", + "durability": "205", + "name": "Ash Armor", + "resistances": "13% 30%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "5%", + "column_5": "7", + "column_6": "7", + "durability": "205", + "name": "Ash Boots", + "resistances": "7% 20%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "5%", + "column_5": "7", + "column_6": "7", + "durability": "205", + "name": "Ash-Filter Mask", + "resistances": "7% 20%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Ash Armor", + "13% 30%", + "8%", + "14", + "14", + "205", + "8.0", + "Body Armor" + ], + [ + "", + "Ash Boots", + "7% 20%", + "5%", + "7", + "7", + "205", + "4.0", + "Boots" + ], + [ + "", + "Ash-Filter Mask", + "7% 20%", + "5%", + "7", + "7", + "205", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "8%", + "column_5": "14", + "column_6": "14", + "durability": "205", + "name": "Ash Armor", + "resistances": "13% 30%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "5%", + "column_5": "7", + "column_6": "7", + "durability": "205", + "name": "Ash Boots", + "resistances": "7% 20%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "5%", + "column_5": "7", + "column_6": "7", + "durability": "205", + "name": "Ash-Filter Mask", + "resistances": "7% 20%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Ash Armor", + "13% 30%", + "8%", + "14", + "14", + "205", + "8.0", + "Body Armor" + ], + [ + "", + "Ash Boots", + "7% 20%", + "5%", + "7", + "7", + "205", + "4.0", + "Boots" + ], + [ + "", + "Ash-Filter Mask", + "7% 20%", + "5%", + "7", + "7", + "205", + "3.0", + "Helmets" + ] + ] + } + ] + }, + { + "name": "Ash-Filter Mask", + "url": "https://outward.fandom.com/wiki/Ash-Filter_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "100", + "Cold Weather Def.": "7", + "Damage Resist": "7% 20%", + "Durability": "205", + "Hot Weather Def.": "7", + "Impact Resist": "5%", + "Item Set": "Ash Set", + "Object ID": "3000221", + "Sell": "30", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/da/Ash-Filter_Mask.png/revision/latest?cb=20190407193733", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "30%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "13%", + "locations": "Monsoon", + "quantity": "1 - 3", + "source": "Shopkeeper Lyda" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "30%", + "Harmattan" + ], + [ + "Shopkeeper Lyda", + "1 - 3", + "13%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "6.6%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "6.3%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + }, + { + "chance": "3.4%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "2.1%", + "quantity": "1 - 2", + "source": "Animated Skeleton" + }, + { + "chance": "2.1%", + "quantity": "1 - 2", + "source": "Marsh Bandit" + } + ], + "raw_rows": [ + [ + "Marsh Captain", + "1 - 4", + "6.6%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "6.3%" + ], + [ + "Marsh Archer", + "1 - 4", + "3.4%" + ], + [ + "Animated Skeleton", + "1 - 2", + "2.1%" + ], + [ + "Marsh Bandit", + "1 - 2", + "2.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense", + "enchantment": "Cocoon" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Cocoon", + "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Ash-Filter Mask is a type of Armor in Outward." + }, + { + "name": "Assassin Claymore", + "url": "https://outward.fandom.com/wiki/Assassin_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "250", + "Class": "Swords", + "Damage": "24 8", + "Durability": "200", + "Effects": "Slow DownBleeding", + "Impact": "33", + "Item Set": "Assassin Set", + "Object ID": "2100110", + "Sell": "75", + "Stamina Cost": "6.6", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d7/Assassin_Claymore.png/revision/latest?cb=20190413073138", + "effects": [ + "Inflicts Slow Down (45% buildup)", + "Inflicts Bleeding (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup", + "/wiki/Bleeding" + ], + "recipes": [ + { + "result": "Assassin Claymore", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Assassin Tongue", + "Fang Greatsword", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Assassin Claymore" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Assassin Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.6", + "damage": "24 8", + "description": "Two slashing strikes, left to right", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "36 12", + "description": "Overhead downward-thrusting strike", + "impact": "49.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.26", + "damage": "30.36 10.12", + "description": "Spinning strike from the right", + "impact": "36.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.26", + "damage": "30.36 10.12", + "description": "Spinning strike from the left", + "impact": "36.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24 8", + "33", + "6.6", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "36 12", + "49.5", + "8.58", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "30.36 10.12", + "36.3", + "7.26", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "30.36 10.12", + "36.3", + "7.26", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Assassin Tongue Assassin Tongue Fang Greatsword Palladium Scrap", + "result": "1x Assassin Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Assassin Claymore", + "Assassin Tongue Assassin Tongue Fang Greatsword Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Assassin Claymore is a craftable Two-Handed Sword in Outward." + }, + { + "name": "Assassin Elixir", + "url": "https://outward.fandom.com/wiki/Assassin_Elixir", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "60", + "Effects": "Speed UpStealth UpGreater Poison Imbue", + "Object ID": "4300180", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6d/Assassin_Elixir.png/revision/latest/scale-to-width-down/83?cb=20190410154354", + "effects": [ + "Player receives Speed Up", + "Player receives Stealth Up", + "Player receives Greater Poison Imbue", + "Despite the description, and unlike Varnishes, the Assassin Elixir will confer its Imbue upon equipped Bows as well." + ], + "effect_links": [ + "/wiki/Greater_Poison_Imbue", + "/wiki/Imbues" + ], + "recipes": [ + { + "result": "Assassin Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Raw Jewel Meat", + "Firefly Powder", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Assassin Elixir" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Raw Jewel Meat Firefly Powder Crystal Powder", + "result": "1x Assassin Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Assassin Elixir", + "Water Raw Jewel Meat Firefly Powder Crystal Powder", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "31.7%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "22.1%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Robyn Garnet, Alchemist", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Laine the Alchemist", + "1 - 5", + "31.7%", + "Monsoon" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "22.1%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "16.3%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "1 - 2", + "11.8%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "26.3%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "25.3%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "22.1%", + "quantity": "1 - 4", + "source": "Bonded Beastmaster" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Matriarch" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Specter (Cannon)" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Specter (Melee)" + } + ], + "raw_rows": [ + [ + "Kazite Admiral", + "1 - 5", + "26.3%" + ], + [ + "Desert Captain", + "1 - 5", + "25.3%" + ], + [ + "Bonded Beastmaster", + "1 - 4", + "22.1%" + ], + [ + "Golden Matriarch", + "1", + "8.3%" + ], + [ + "Golden Specter (Cannon)", + "1", + "8.3%" + ], + [ + "Golden Specter (Melee)", + "1", + "8.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1 - 2", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1 - 2", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1 - 2", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Assassin Elixir is a craftable potion in Outward." + }, + { + "name": "Assassin Sword", + "url": "https://outward.fandom.com/wiki/Assassin_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Swords", + "Damage": "18.25 6.25", + "Durability": "125", + "Effects": "Slow Down Bleeding", + "Impact": "19", + "Item Set": "Assassin Set", + "Object ID": "2000130", + "Sell": "60", + "Stamina Cost": "4.2", + "Type": "One-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/70/Assassin_Sword.png/revision/latest?cb=20190413071238", + "effects": [ + "Inflicts Slow Down (45% buildup)", + "Inflicts Bleeding (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup", + "/wiki/Bleeding" + ], + "recipes": [ + { + "result": "Assassin Sword", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Steel Sabre", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Assassin Sword" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Assassin Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.2", + "damage": "18.25 6.25", + "description": "Two slash attacks, left to right", + "impact": "19", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.04", + "damage": "27.28 9.34", + "description": "Forward-thrusting strike", + "impact": "24.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.62", + "damage": "23.09 7.91", + "description": "Heavy left-lunging strike", + "impact": "20.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.62", + "damage": "23.09 7.91", + "description": "Heavy right-lunging strike", + "impact": "20.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "18.25 6.25", + "19", + "4.2", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "27.28 9.34", + "24.7", + "5.04", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "23.09 7.91", + "20.9", + "4.62", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "23.09 7.91", + "20.9", + "4.62", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Assassin Tongue Steel Sabre Palladium Scrap", + "result": "1x Assassin Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Assassin Sword", + "Assassin Tongue Steel Sabre Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Assassin Sword is a craftable One-Handed Sword in Outward." + }, + { + "name": "Assassin Tongue", + "url": "https://outward.fandom.com/wiki/Assassin_Tongue", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "50", + "Object ID": "6600180", + "Sell": "15", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9e/Assassin_Tongue.png/revision/latest?cb=20190430052039", + "recipes": [ + { + "result": "Assassin Claymore", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Assassin Tongue", + "Fang Greatsword", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Assassin Tongue" + }, + { + "result": "Assassin Sword", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Steel Sabre", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Assassin Tongue" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Cactus Fruit" + ], + "station": "Alchemy Kit", + "source_page": "Assassin Tongue" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Assassin TongueAssassin TongueFang GreatswordPalladium Scrap", + "result": "1x Assassin Claymore", + "station": "None" + }, + { + "ingredients": "Assassin TongueSteel SabrePalladium Scrap", + "result": "1x Assassin Sword", + "station": "None" + }, + { + "ingredients": "Assassin TongueCactus Fruit", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Assassin Claymore", + "Assassin TongueAssassin TongueFang GreatswordPalladium Scrap", + "None" + ], + [ + "1x Assassin Sword", + "Assassin TongueSteel SabrePalladium Scrap", + "None" + ], + [ + "1x Endurance Potion", + "Assassin TongueCactus Fruit", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "9%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "9%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "42.4%", + "quantity": "1 - 2", + "source": "Assassin Bug" + }, + { + "chance": "42.4%", + "quantity": "1 - 2", + "source": "Executioner Bug" + }, + { + "chance": "11.1%", + "quantity": "1", + "source": "Crescent Shark" + } + ], + "raw_rows": [ + [ + "Assassin Bug", + "1 - 2", + "42.4%" + ], + [ + "Executioner Bug", + "1 - 2", + "42.4%" + ], + [ + "Crescent Shark", + "1", + "11.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Assassin Tongue is an Item in Outward." + }, + { + "name": "Astral Axe", + "url": "https://outward.fandom.com/wiki/Astral_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2000", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "31.2 7.8", + "Damage Bonus": "7% 7%", + "Durability": "350", + "Effects": "ScorchedCurse", + "Impact": "10", + "Item Set": "Astral Set", + "Object ID": "2010210", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d7/Astral_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220073753", + "effects": [ + "Inflicts Scorched (33% buildup)", + "Inflicts Curse (33% buildup)" + ], + "effect_links": [ + "/wiki/Scorched", + "/wiki/Effects#Buildup", + "/wiki/Curse" + ], + "recipes": [ + { + "result": "Astral Axe", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "31.2 7.8", + "description": "Two slashing strikes, right to left", + "impact": "10", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.72", + "damage": "40.56 10.14", + "description": "Fast, triple-attack strike", + "impact": "13", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "40.56 10.14", + "description": "Quick double strike", + "impact": "13", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "40.56 10.14", + "description": "Wide-sweeping double strike", + "impact": "13", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "31.2 7.8", + "10", + "5.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "40.56 10.14", + "13", + "6.72", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "40.56 10.14", + "13", + "6.72", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "40.56 10.14", + "13", + "6.72", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Short Handle Flat Prism Waning Tentacle", + "result": "1x Astral Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Axe", + "Short Handle Flat Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Axe is a type of Weapon in Outward." + }, + { + "name": "Astral Bow", + "url": "https://outward.fandom.com/wiki/Astral_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "35", + "Damage Bonus": "10% 10% 10% 10% 10%", + "Durability": "250", + "Effects": "ScorchedCurse", + "Impact": "20", + "Item Set": "Astral Set", + "Object ID": "2200110", + "Sell": "750", + "Stamina Cost": "3.22", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1b/Astral_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220073754", + "effects": [ + "Inflicts Scorched (33% buildup)", + "Inflicts Curse (33% buildup)" + ], + "effect_links": [ + "/wiki/Scorched", + "/wiki/Effects#Buildup", + "/wiki/Curse" + ], + "recipes": [ + { + "result": "Astral Bow", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Short Handle", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Bow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Short Handle Short Handle Waning Tentacle", + "result": "1x Astral Bow", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Bow", + "Short Handle Short Handle Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Bow is a type of Weapon in Outward." + }, + { + "name": "Astral Chakram", + "url": "https://outward.fandom.com/wiki/Astral_Chakram", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Chakrams", + "DLC": "The Three Brothers", + "Damage": "30.4 7.6", + "Damage Bonus": "7% 7%", + "Durability": "250", + "Effects": "DoomedCurse", + "Impact": "10", + "Item Set": "Astral Set", + "Object ID": "5110099", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/71/Astral_Chakram.png/revision/latest/scale-to-width-down/83?cb=20201220073756", + "effects": [ + "Inflicts Doomed (33% buildup)", + "Inflicts Curse (33% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup", + "/wiki/Curse" + ], + "recipes": [ + { + "result": "Astral Chakram", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Chakram" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Trinket Handle Blade Prism Waning Tentacle", + "result": "1x Astral Chakram", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Chakram", + "Trinket Handle Blade Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + } + ], + "description": "Astral Chakram is a type of Weapon in Outward." + }, + { + "name": "Astral Claymore", + "url": "https://outward.fandom.com/wiki/Astral_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2500", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "36 9", + "Damage Bonus": "7% 7%", + "Durability": "375", + "Effects": "HauntedScorched", + "Impact": "15", + "Item Set": "Astral Set", + "Object ID": "2100230", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9c/Astral_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220073757", + "effects": [ + "Inflicts Haunted (33% buildup)", + "Inflicts Scorched (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup", + "/wiki/Scorched" + ], + "recipes": [ + { + "result": "Astral Claymore", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "36 9", + "description": "Two slashing strikes, left to right", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10.01", + "damage": "54 13.5", + "description": "Overhead downward-thrusting strike", + "impact": "22.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "45.54 11.39", + "description": "Spinning strike from the right", + "impact": "16.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "45.54 11.39", + "description": "Spinning strike from the left", + "impact": "16.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "36 9", + "15", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "54 13.5", + "22.5", + "10.01", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "45.54 11.39", + "16.5", + "8.47", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "45.54 11.39", + "16.5", + "8.47", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Long Handle Blade Prism Waning Tentacle", + "result": "1x Astral Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Claymore", + "Long Handle Blade Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Claymore is a type of Weapon in Outward." + }, + { + "name": "Astral Dagger", + "url": "https://outward.fandom.com/wiki/Astral_Dagger", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Daggers", + "DLC": "The Three Brothers", + "Damage": "32 8", + "Damage Bonus": "7% 7%", + "Durability": "200", + "Effects": "HauntedScorched", + "Impact": "10", + "Item Set": "Astral Set", + "Object ID": "5110011", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/30/Astral_Dagger.png/revision/latest/scale-to-width-down/83?cb=20201220073758", + "effects": [ + "Inflicts Haunted (66% buildup)", + "Inflicts Scorched (66% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup", + "/wiki/Scorched" + ], + "recipes": [ + { + "result": "Astral Dagger", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Spike Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Dagger" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Trinket Handle Spike Prism Waning Tentacle", + "result": "1x Astral Dagger", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Dagger", + "Trinket Handle Spike Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + } + ], + "description": "Astral Dagger is a type of Weapon in Outward." + }, + { + "name": "Astral Greataxe", + "url": "https://outward.fandom.com/wiki/Astral_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2500", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "38.4 9.6", + "Damage Bonus": "7% 7%", + "Durability": "400", + "Effects": "ScorchedChill", + "Impact": "15", + "Item Set": "Astral Set", + "Object ID": "2110190", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/20/Astral_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220073759", + "effects": [ + "Inflicts Chill (33% buildup)", + "Inflicts Scorched (33% buildup)" + ], + "effect_links": [ + "/wiki/Chill", + "/wiki/Effects#Buildup", + "/wiki/Scorched" + ], + "recipes": [ + { + "result": "Astral Greataxe", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "38.4 9.6", + "description": "Two slashing strikes, left to right", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "49.92 12.48", + "description": "Uppercut strike into right sweep strike", + "impact": "19.5", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "49.92 12.48", + "description": "Left-spinning double strike", + "impact": "19.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.4", + "damage": "49.92 12.48", + "description": "Right-spinning double strike", + "impact": "19.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "38.4 9.6", + "15", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "49.92 12.48", + "19.5", + "10.59", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "49.92 12.48", + "19.5", + "10.59", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.92 12.48", + "19.5", + "10.4", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Long Handle Flat Prism Waning Tentacle", + "result": "1x Astral Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Greataxe", + "Long Handle Flat Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Greataxe is a type of Weapon in Outward." + }, + { + "name": "Astral Greatmace", + "url": "https://outward.fandom.com/wiki/Astral_Greatmace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2500", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "37.6 9.4", + "Damage Bonus": "7% 7%", + "Durability": "450", + "Effects": "DoomedHaunted", + "Impact": "15", + "Item Set": "Astral Set", + "Object ID": "2120210", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4f/Astral_Greatmace.png/revision/latest/scale-to-width-down/83?cb=20201220073801", + "effects": [ + "Inflicts Doomed (33% buildup)", + "Inflicts Haunted (33% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Astral Greatmace", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Greatmace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "37.6 9.4", + "description": "Two slashing strikes, left to right", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "28.2 7.05", + "description": "Blunt strike with high impact", + "impact": "30", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "52.64 13.16", + "description": "Powerful overhead strike", + "impact": "21", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "52.64 13.16", + "description": "Forward-running uppercut strike", + "impact": "21", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37.6 9.4", + "15", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "28.2 7.05", + "30", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "52.64 13.16", + "21", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "52.64 13.16", + "21", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Long Handle Blunt Prism Waning Tentacle", + "result": "1x Astral Greatmace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Greatmace", + "Long Handle Blunt Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Greatmace is a type of Weapon in Outward." + }, + { + "name": "Astral Halberd", + "url": "https://outward.fandom.com/wiki/Astral_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2500", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "32.8 8.2", + "Damage Bonus": "7% 7%", + "Durability": "400", + "Effects": "CurseHaunted", + "Impact": "15", + "Item Set": "Astral Set", + "Object ID": "2150070", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Halberd", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/ba/Astral_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220073802", + "effects": [ + "Inflicts Curse (33% buildup)", + "Inflicts Haunted (33% buildup)" + ], + "effect_links": [ + "/wiki/Curse", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Astral Halberd", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "32.8 8.2", + "description": "Two wide-sweeping strikes, left to right", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "42.64 10.66", + "description": "Forward-thrusting strike", + "impact": "19.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "42.64 10.66", + "description": "Wide-sweeping strike from left", + "impact": "19.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "55.76 13.94", + "description": "Slow but powerful sweeping strike", + "impact": "25.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "32.8 8.2", + "15", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "42.64 10.66", + "19.5", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "42.64 10.66", + "19.5", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "55.76 13.94", + "25.5", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shaft Handle Blade Prism Waning Tentacle", + "result": "1x Astral Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Halberd", + "Shaft Handle Blade Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Halberd is a type of Weapon in Outward." + }, + { + "name": "Astral Knuckles", + "url": "https://outward.fandom.com/wiki/Astral_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2000", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "26.4 6.6", + "Damage Bonus": "7% 7%", + "Durability": "325", + "Effects": "ScorchedHaunted", + "Impact": "11", + "Item Set": "Astral Set", + "Object ID": "2160160", + "Sell": "600", + "Stamina Cost": "2.8", + "Type": "Two-Handed", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a6/Astral_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220073803", + "effects": [ + "Inflicts Scorched (33% buildup)", + "Inflicts Haunted (33% buildup)" + ], + "effect_links": [ + "/wiki/Scorched", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Astral Knuckles", + "result_count": "1x", + "ingredients": [ + "Blunt Prism", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Knuckles" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.8", + "damage": "26.4 6.6", + "description": "Four fast punches, right to left", + "impact": "11", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.64", + "damage": "34.32 8.58", + "description": "Forward-lunging left hook", + "impact": "14.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "34.32 8.58", + "description": "Left dodging, left uppercut", + "impact": "14.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "34.32 8.58", + "description": "Right dodging, right spinning hammer strike", + "impact": "14.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26.4 6.6", + "11", + "2.8", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "34.32 8.58", + "14.3", + "3.64", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "34.32 8.58", + "14.3", + "3.36", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "34.32 8.58", + "14.3", + "3.36", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Blunt Prism Blunt Prism Waning Tentacle", + "result": "1x Astral Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Knuckles", + "Blunt Prism Blunt Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Knuckles is a type of Weapon in Outward." + }, + { + "name": "Astral Mace", + "url": "https://outward.fandom.com/wiki/Astral_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2000", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "32.8 8.2", + "Damage Bonus": "7% 7%", + "Durability": "425", + "Effects": "ChillDoomed", + "Impact": "10", + "Item Set": "Astral Set", + "Object ID": "2020250", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bb/Astral_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220073804", + "effects": [ + "Inflicts Chill (33% buildup)", + "Inflicts Doomed (33% buildup)" + ], + "effect_links": [ + "/wiki/Chill", + "/wiki/Effects#Buildup", + "/wiki/Doomed" + ], + "recipes": [ + { + "result": "Astral Mace", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "32.8 8.2", + "description": "Two wide-sweeping strikes, right to left", + "impact": "10", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "42.64 10.66", + "description": "Slow, overhead strike with high impact", + "impact": "25", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "42.64 10.66", + "description": "Fast, forward-thrusting strike", + "impact": "13", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "42.64 10.66", + "description": "Fast, forward-thrusting strike", + "impact": "13", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "32.8 8.2", + "10", + "5.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "42.64 10.66", + "25", + "7.28", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "42.64 10.66", + "13", + "7.28", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "42.64 10.66", + "13", + "7.28", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Short Handle Blunt Prism Waning Tentacle", + "result": "1x Astral Mace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Mace", + "Short Handle Blunt Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Mace is a type of Weapon in Outward." + }, + { + "name": "Astral Pistol", + "url": "https://outward.fandom.com/wiki/Astral_Pistol", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Pistols", + "DLC": "The Three Brothers", + "Damage": "72 18", + "Damage Bonus": "7% 7%", + "Durability": "200", + "Effects": "ScorchedChill", + "Impact": "10", + "Item Set": "Astral Set", + "Object ID": "5110230", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ed/Astral_Pistol.png/revision/latest/scale-to-width-down/83?cb=20201220073805", + "effects": [ + "Inflicts Scorched (66% buildup)", + "Inflicts Chill (66% buildup)" + ], + "effect_links": [ + "/wiki/Scorched", + "/wiki/Effects#Buildup", + "/wiki/Chill" + ], + "recipes": [ + { + "result": "Astral Pistol", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Trinket Handle Blunt Prism Waning Tentacle", + "result": "1x Astral Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Pistol", + "Trinket Handle Blunt Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + } + ], + "description": "Astral Pistol is a type of Weapon in Outward." + }, + { + "name": "Astral Potion", + "url": "https://outward.fandom.com/wiki/Astral_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "25", + "Drink": "9%", + "Effects": "Restores 50% ManaRestores 20 Burnt Mana", + "Object ID": "4300020", + "Perish Time": "∞", + "Sell": "8", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/71/Astral_Potion.png/revision/latest?cb=20190410153939", + "effects": [ + "Restores 50% of max Mana", + "Restores 20 Burnt Mana", + "Restores 90 Drink" + ], + "recipes": [ + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Star Mushroom", + "Turmmip", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Astral Potion" + }, + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Astral Potion" + }, + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Mantis Granite", + "Gaberries" + ], + "station": "Alchemy Kit", + "source_page": "Astral Potion" + }, + { + "result": "Great Astral Potion", + "result_count": "1x", + "ingredients": [ + "Astral Potion", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Astral Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Star Mushroom Turmmip Water", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Shark Cartilage Thick Oil", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Mantis Granite Gaberries", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Astral Potion", + "Star Mushroom Turmmip Water", + "Alchemy Kit" + ], + [ + "1x Astral Potion", + "Shark Cartilage Thick Oil", + "Alchemy Kit" + ], + [ + "1x Astral Potion", + "Mantis Granite Gaberries", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Astral PotionGhost's Eye", + "result": "1x Great Astral Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Great Astral Potion", + "Astral PotionGhost's Eye", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1 - 2", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "1 - 2", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1 - 2", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1 - 3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 6", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Abrassar", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Caldera", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Chersonese", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1 - 2", + "100%", + "Hermit's House" + ], + [ + "Apprentice Ritualist", + "1 - 2", + "100%", + "Ritualist's hut" + ], + [ + "Fourth Watcher", + "1 - 2", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "1 - 3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 3", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "3 - 6", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 3", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 3", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Enmerkar Forest" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "2", + "source": "Balira" + }, + { + "chance": "51.8%", + "quantity": "1 - 4", + "source": "Ash Giant" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Greater Grotesque" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Grotesque" + }, + { + "chance": "25.9%", + "quantity": "1 - 8", + "source": "Blood Sorcerer" + }, + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Balira", + "2", + "100%" + ], + [ + "Ash Giant", + "1 - 4", + "51.8%" + ], + [ + "Greater Grotesque", + "1 - 3", + "28.4%" + ], + [ + "Grotesque", + "1 - 3", + "28.4%" + ], + [ + "Blood Sorcerer", + "1 - 8", + "25.9%" + ], + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 4", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path", + "quantity": "1 - 4", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 4", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 4", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "14.8%", + "Ark of the Exiled, Forest Hives" + ], + [ + "Soldier's Corpse", + "1 - 4", + "14.8%", + "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "Astral Potion is a potion item in Outward." + }, + { + "name": "Astral Shield", + "url": "https://outward.fandom.com/wiki/Astral_Shield", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Shields", + "DLC": "The Three Brothers", + "Damage": "26.4 6.6", + "Damage Bonus": "7% 7%", + "Durability": "300", + "Effects": "ScorchedCurse", + "Impact": "20", + "Impact Resist": "18%", + "Item Set": "Astral Set", + "Object ID": "2300290", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8f/Astral_Shield.png/revision/latest/scale-to-width-down/83?cb=20201220073809", + "effects": [ + "Inflicts Scorched (60% buildup)", + "Inflicts Curse (60% buildup)" + ], + "effect_links": [ + "/wiki/Scorched", + "/wiki/Effects#Buildup", + "/wiki/Curse" + ], + "recipes": [ + { + "result": "Astral Shield", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Shield" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Trinket Handle Flat Prism Waning Tentacle", + "result": "1x Astral Shield", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Shield", + "Trinket Handle Flat Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + } + ], + "description": "Astral Shield is a type of Weapon in Outward." + }, + { + "name": "Astral Spear", + "url": "https://outward.fandom.com/wiki/Astral_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2500", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "37.6 9.4", + "Damage Bonus": "7% 7%", + "Durability": "325", + "Effects": "DoomedChill", + "Impact": "15", + "Item Set": "Astral Set", + "Object ID": "2130240", + "Sell": "750", + "Stamina Cost": "6.3", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/45/Astral_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220073811", + "effects": [ + "Inflicts Doomed (33% buildup)", + "Inflicts Chill (33% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup", + "/wiki/Chill" + ], + "recipes": [ + { + "result": "Astral Spear", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Spike Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.3", + "damage": "37.6 9.4", + "description": "Two forward-thrusting stabs", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "52.64 13.16", + "description": "Forward-lunging strike", + "impact": "18", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "48.88 12.22", + "description": "Left-sweeping strike, jump back", + "impact": "18", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "45.12 11.28", + "description": "Fast spinning strike from the right", + "impact": "16.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37.6 9.4", + "15", + "6.3", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "52.64 13.16", + "18", + "7.88", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "48.88 12.22", + "18", + "7.88", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "45.12 11.28", + "16.5", + "7.88", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shaft Handle Spike Prism Waning Tentacle", + "result": "1x Astral Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Spear", + "Shaft Handle Spike Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Spear is a type of Weapon in Outward." + }, + { + "name": "Astral Staff", + "url": "https://outward.fandom.com/wiki/Astral_Staff", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2500", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "20 20", + "Damage Bonus": "14%", + "Durability": "250", + "Effects": "Doomed", + "Impact": "15", + "Item Set": "Astral Set", + "Mana Cost": "-20%", + "Object ID": "2150140", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Staff", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f2/Astral_Staff.png/revision/latest/scale-to-width-down/83?cb=20201223084657", + "effects": [ + "Inflicts Doomed (33% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Astral Staff", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Long Handle", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Staff" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "20 20", + "description": "Two wide-sweeping strikes, left to right", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "26 26", + "description": "Forward-thrusting strike", + "impact": "19.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "26 26", + "description": "Wide-sweeping strike from left", + "impact": "19.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "34 34", + "description": "Slow but powerful sweeping strike", + "impact": "25.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "20 20", + "15", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "26 26", + "19.5", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "26 26", + "19.5", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "34 34", + "25.5", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shaft Handle Long Handle Waning Tentacle", + "result": "1x Astral Staff", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Staff", + "Shaft Handle Long Handle Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Staff is a type of Weapon in Outward." + }, + { + "name": "Astral Sword", + "url": "https://outward.fandom.com/wiki/Astral_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2000", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "29.6 7.4", + "Damage Bonus": "7% 7%", + "Durability": "300", + "Effects": "HauntedCurse", + "Impact": "10", + "Item Set": "Astral Set", + "Object ID": "2000240", + "Sell": "600", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fc/Astral_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220073813", + "effects": [ + "Inflicts Haunted (33% buildup)", + "Inflicts Curse (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup", + "/wiki/Curse" + ], + "recipes": [ + { + "result": "Astral Sword", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Astral Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.9", + "damage": "29.6 7.4", + "description": "Two slash attacks, left to right", + "impact": "10", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.88", + "damage": "44.25 11.06", + "description": "Forward-thrusting strike", + "impact": "13", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "37.44 9.36", + "description": "Heavy left-lunging strike", + "impact": "11", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "37.44 9.36", + "description": "Heavy right-lunging strike", + "impact": "11", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29.6 7.4", + "10", + "4.9", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "44.25 11.06", + "13", + "5.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "37.44 9.36", + "11", + "5.39", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "37.44 9.36", + "11", + "5.39", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Short Handle Blade Prism Waning Tentacle", + "result": "1x Astral Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Sword", + "Short Handle Blade Prism Waning Tentacle", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Astral Sword is a type of Weapon in Outward." + }, + { + "name": "Azure Shrimp", + "url": "https://outward.fandom.com/wiki/Azure_Shrimp", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "IndigestionMana Ratio Recovery 3", + "Hunger": "7.5%", + "Object ID": "4000090", + "Perish Time": "9 Days 22 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/39/Azure_Shrimp.png/revision/latest?cb=20190410130714", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Indigestion (100% chance)", + "Player receives Mana Ratio Recovery (level 3)" + ], + "recipes": [ + { + "result": "Boiled Azure Shrimp", + "result_count": "1x", + "ingredients": [ + "Azure Shrimp" + ], + "station": "Campfire", + "source_page": "Azure Shrimp" + }, + { + "result": "Elemental Immunity Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Azure Shrimp", + "Firefly Powder", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Azure Shrimp" + }, + { + "result": "Luxe Lichette", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Azure Shrimp", + "Raw Rainbow Trout", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Azure Shrimp" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Azure Shrimp" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Azure Shrimp" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Azure Shrimp", + "result": "1x Boiled Azure Shrimp", + "station": "Campfire" + }, + { + "ingredients": "Thick OilAzure ShrimpFirefly PowderOccult Remains", + "result": "1x Elemental Immunity Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Larva EggAzure ShrimpRaw Rainbow TroutSeaweed", + "result": "3x Luxe Lichette", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Boiled Azure Shrimp", + "Azure Shrimp", + "Campfire" + ], + [ + "1x Elemental Immunity Potion", + "Thick OilAzure ShrimpFirefly PowderOccult Remains", + "Alchemy Kit" + ], + [ + "3x Luxe Lichette", + "Larva EggAzure ShrimpRaw Rainbow TroutSeaweed", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "35.7%", + "quantity": "1", + "source": "Fishing/Cave" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Blue Sand (Gatherable)" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Fishing/River (Chersonese)" + }, + { + "chance": "14.8%", + "quantity": "1", + "source": "Fishing/River (Enmerkar Forest)" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Fishing/Beach" + } + ], + "raw_rows": [ + [ + "Fishing/Cave", + "1", + "35.7%" + ], + [ + "Blue Sand (Gatherable)", + "1", + "25%" + ], + [ + "Fishing/River (Chersonese)", + "1", + "25%" + ], + [ + "Fishing/River (Enmerkar Forest)", + "1", + "14.8%" + ], + [ + "Fishing/Beach", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Fishmonger Karl" + }, + { + "chance": "41.4%", + "locations": "Harmattan", + "quantity": "2", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "8.5%", + "locations": "Cierzo", + "quantity": "1", + "source": "Fishmonger Karl" + } + ], + "raw_rows": [ + [ + "Fishmonger Karl", + "1", + "100%", + "Cierzo" + ], + [ + "Ibolya Battleborn, Chef", + "2", + "41.4%", + "Harmattan" + ], + [ + "Fishmonger Karl", + "1", + "8.5%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "44.5%", + "quantity": "4", + "source": "Concealed Knight: ???" + }, + { + "chance": "12.3%", + "quantity": "1", + "source": "Crescent Shark" + } + ], + "raw_rows": [ + [ + "Concealed Knight: ???", + "4", + "44.5%" + ], + [ + "Crescent Shark", + "1", + "12.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.8%", + "locations": "Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese, Montcalm Clan Fort, Vendavel Fortress", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "11.8%", + "locations": "Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "11.8%", + "locations": "Corrupted Tombs, Voltaic Hatchery", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "11.8%", + "Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "11.8%", + "Chersonese, Montcalm Clan Fort, Vendavel Fortress" + ], + [ + "Junk Pile", + "1", + "11.8%", + "Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "11.8%", + "Corrupted Tombs, Voltaic Hatchery" + ], + [ + "Soldier's Corpse", + "1", + "11.8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ], + [ + "Worker's Corpse", + "1", + "11.8%", + "Chersonese" + ] + ] + } + ], + "description": "Azure Shrimp is a type of fish in Outward." + }, + { + "name": "Bagatelle", + "url": "https://outward.fandom.com/wiki/Bagatelle", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "12", + "DLC": "The Soroboreans", + "Effects": "PossessedStamina Recovery 5Corruption Resistance 1", + "Hunger": "10%", + "Object ID": "4100750", + "Perish Time": "11 Days, 22 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5e/Bagatelle.png/revision/latest/scale-to-width-down/83?cb=20200616185301", + "effects": [ + "Restores 10% Hunger", + "Player receives Possessed", + "Player receives Stamina Recovery (level 5)", + "Player receives Corruption Resistance (level 1)" + ], + "effect_links": [ + "/wiki/Possessed" + ], + "recipes": [ + { + "result": "Bagatelle", + "result_count": "3x", + "ingredients": [ + "Crawlberry Jam", + "Crawlberry Jam", + "Sugar", + "Fresh Cream" + ], + "station": "Cooking Pot", + "source_page": "Bagatelle" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Crawlberry Jam Crawlberry Jam Sugar Fresh Cream", + "result": "3x Bagatelle", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Bagatelle", + "Crawlberry Jam Crawlberry Jam Sugar Fresh Cream", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "35.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "3", + "35.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Bonded Beastmaster" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + }, + { + "chance": "1.6%", + "quantity": "1 - 2", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "1 - 2", + "1.7%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "1.7%" + ], + [ + "Blood Sorcerer", + "1 - 2", + "1.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.6%", + "locations": "Harmattan", + "quantity": "1 - 6", + "source": "Stash" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "2.8%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Stash", + "1 - 6", + "36.6%", + "Harmattan" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 2", + "2.8%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Bagatelle is an Item in Outward." + }, + { + "name": "Baked Crescent", + "url": "https://outward.fandom.com/wiki/Baked_Crescent", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "5", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 1", + "Hunger": "9%", + "Object ID": "4100790", + "Perish Time": "6 Days, 22 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/48/Baked_Crescent.png/revision/latest/scale-to-width-down/83?cb=20201220073814", + "effects": [ + "Restores 9% Hunger", + "Player receives Stamina Recovery (level 1)" + ], + "recipes": [ + { + "result": "Baked Crescent", + "result_count": "1x", + "ingredients": [ + "Golden Crescent" + ], + "station": "Campfire", + "source_page": "Baked Crescent" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Golden Crescent", + "result": "1x Baked Crescent", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Baked Crescent", + "Golden Crescent", + "Campfire" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Baked Crescent is an Item in Outward." + }, + { + "name": "Bandages", + "url": "https://outward.fandom.com/wiki/Bandages", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "3", + "Effects": "Bandages (Effect)Cures Bleeding", + "Object ID": "4400010", + "Perish Time": "∞", + "Sell": "1", + "Type": "Other", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/be/Bandages.png/revision/latest?cb=20190416133815", + "recipes": [ + { + "result": "Bandages", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Linen Cloth" + ], + "station": "None", + "source_page": "Bandages" + } + ], + "tables": [ + { + "title": "Effect", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "40 seconds", + "effects": "+0.5 Health per second", + "name": "Bandages (Effect)" + } + ], + "raw_rows": [ + [ + "", + "Bandages (Effect)", + "40 seconds", + "+0.5 Health per second" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Linen Cloth Linen Cloth", + "result": "1x Bandages", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Bandages", + "Linen Cloth Linen Cloth", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "2 - 4", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "3 - 5", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "2 - 4", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "8", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "2 - 4", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "11 - 15", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "8", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "8", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "8", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "8", + "source": "Silver-Nose the Trader" + }, + { + "chance": "100%", + "locations": "Abrassar", + "quantity": "3 - 5", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "2 - 4", + "100%", + "Hermit's House" + ], + [ + "Apprentice Ritualist", + "3 - 5", + "100%", + "Ritualist's hut" + ], + [ + "Felix Jimson, Shopkeeper", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Fourth Watcher", + "2 - 4", + "100%", + "Conflux Chambers" + ], + [ + "Gold Belly", + "8", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "2 - 4", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "2 - 4", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 4", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "6", + "100%", + "New Sirocco" + ], + [ + "Shopkeeper Doran", + "11 - 15", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "8", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "8", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "8", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "8", + "100%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "3 - 5", + "100%", + "Abrassar" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "33.8%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + }, + { + "chance": "32.5%", + "quantity": "1 - 2", + "source": "Animated Skeleton (Miner)" + }, + { + "chance": "32%", + "quantity": "2 - 9", + "source": "Wolfgang Veteran" + }, + { + "chance": "30.1%", + "quantity": "2 - 9", + "source": "Wolfgang Captain" + }, + { + "chance": "30.1%", + "quantity": "1 - 5", + "source": "The Last Acolyte" + }, + { + "chance": "29.8%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "26.9%", + "quantity": "2 - 8", + "source": "Bandit Captain" + }, + { + "chance": "26.9%", + "quantity": "2 - 8", + "source": "Mad Captain's Bones" + }, + { + "chance": "26.3%", + "quantity": "2", + "source": "Kazite Admiral" + }, + { + "chance": "25.9%", + "quantity": "1 - 8", + "source": "Blood Sorcerer" + }, + { + "chance": "25.3%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "22.1%", + "quantity": "2 - 8", + "source": "Bonded Beastmaster" + }, + { + "chance": "20.7%", + "quantity": "2 - 8", + "source": "Bandit Manhunter" + }, + { + "chance": "20.2%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "19.8%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Marsh Archer Captain", + "1 - 4", + "33.8%" + ], + [ + "Animated Skeleton (Miner)", + "1 - 2", + "32.5%" + ], + [ + "Wolfgang Veteran", + "2 - 9", + "32%" + ], + [ + "Wolfgang Captain", + "2 - 9", + "30.1%" + ], + [ + "The Last Acolyte", + "1 - 5", + "30.1%" + ], + [ + "Marsh Captain", + "1 - 4", + "29.8%" + ], + [ + "Bandit Captain", + "2 - 8", + "26.9%" + ], + [ + "Mad Captain's Bones", + "2 - 8", + "26.9%" + ], + [ + "Kazite Admiral", + "2", + "26.3%" + ], + [ + "Blood Sorcerer", + "1 - 8", + "25.9%" + ], + [ + "Desert Captain", + "1 - 5", + "25.3%" + ], + [ + "Bonded Beastmaster", + "2 - 8", + "22.1%" + ], + [ + "Bandit Manhunter", + "2 - 8", + "20.7%" + ], + [ + "Kazite Archer", + "1 - 4", + "20.2%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "19.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "2 - 4", + "source": "Chest" + }, + { + "chance": "41.7%", + "locations": "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh", + "quantity": "2", + "source": "Supply Cache" + }, + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 6", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 6", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 6", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Knight's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "2 - 4", + "100%", + "Levant" + ], + [ + "Supply Cache", + "2", + "41.7%", + "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "1 - 6", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 6", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 6", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 6", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 6", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 6", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 6", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 6", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ] + ] + } + ], + "description": "Bandages are a consumable item in Outward." + }, + { + "name": "Bandit Cage key", + "url": "https://outward.fandom.com/wiki/Bandit_Cage_key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600171", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/52/Bandit_Cage_key.png/revision/latest/scale-to-width-down/83?cb=20200621155311", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Lieutenant (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Lieutenant (Antique Plateau)", + "1", + "100%" + ] + ] + } + ], + "description": "Bandit Cage key is an Item in Outward. Involved in unlocking Pholiota." + }, + { + "name": "Bandit Camp Key", + "url": "https://outward.fandom.com/wiki/Bandit_Camp_Key", + "categories": [ + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "5600023", + "Sell": "0", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Giant_Iron_Key.png/revision/latest/scale-to-width-down/83?cb=20190412211145", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Wendigo" + } + ], + "raw_rows": [ + [ + "Wendigo", + "1", + "100%" + ] + ] + } + ], + "description": "Bandit Camp Key is an item in Outward." + }, + { + "name": "Barrier Armor", + "url": "https://outward.fandom.com/wiki/Barrier_Armor", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Barrier": "5", + "Buy": "400", + "DLC": "The Three Brothers", + "Damage Resist": "15%", + "Durability": "600", + "Hot Weather Def.": "6", + "Impact Resist": "13%", + "Item Set": "Barrier Set", + "Movement Speed": "10%", + "Object ID": "3100440", + "Sell": "120", + "Slot": "Chest", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1a/Barrier_Armor.png/revision/latest/scale-to-width-down/83?cb=20201220073815", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10.5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "12.5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "10.5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "10%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Barrier Armor is a type of Equipment in Outward." + }, + { + "name": "Barrier Boots", + "url": "https://outward.fandom.com/wiki/Barrier_Boots", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Barrier": "4", + "Buy": "250", + "DLC": "The Three Brothers", + "Damage Resist": "8%", + "Durability": "600", + "Hot Weather Def.": "4", + "Impact Resist": "9%", + "Item Set": "Barrier Set", + "Movement Speed": "5%", + "Object ID": "3100442", + "Sell": "75", + "Slot": "Legs", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/18/Barrier_Boots.png/revision/latest/scale-to-width-down/83?cb=20201220073816", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10.5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "12.5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "10.5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "10%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Barrier Boots is a type of Equipment in Outward." + }, + { + "name": "Barrier Helm", + "url": "https://outward.fandom.com/wiki/Barrier_Helm", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Barrier": "4", + "Buy": "250", + "DLC": "The Three Brothers", + "Damage Resist": "8%", + "Durability": "600", + "Hot Weather Def.": "4", + "Impact Resist": "9%", + "Item Set": "Barrier Set", + "Movement Speed": "5%", + "Object ID": "3100441", + "Sell": "75", + "Slot": "Head", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e5/Barrier_Helm.png/revision/latest/scale-to-width-down/83?cb=20201220073818", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10.5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "12.5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "10.5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "10%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Barrier Helm is a type of Equipment in Outward." + }, + { + "name": "Barrier Potion", + "url": "https://outward.fandom.com/wiki/Barrier_Potion", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "60", + "DLC": "The Three Brothers", + "Drink": "5%", + "Effects": "Barrier (Effect) 2", + "Object ID": "4300430", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/99/Barrier_Potion.png/revision/latest/scale-to-width-down/83?cb=20201220073819", + "effects": [ + "Restores 5% Thirst", + "Player receives Barrier (Effect) (level 2)" + ], + "effect_links": [ + "/wiki/Barrier_(Effect)" + ], + "recipes": [ + { + "result": "Barrier Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Barrier Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Peach Seeds Crysocolla Beetle", + "result": "1x Barrier Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Barrier Potion", + "Water Peach Seeds Crysocolla Beetle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 40", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "2 - 3", + "100%", + "New Sirocco" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 40", + "50.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "10%", + "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "10%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "10%", + "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Barrier Potion is an Item in Outward." + }, + { + "name": "Barrier Set", + "url": "https://outward.fandom.com/wiki/Barrier_Set", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Barrier": "13", + "Buy": "900", + "DLC": "The Three Brothers", + "Damage Resist": "31%", + "Durability": "1800", + "Hot Weather Def.": "14", + "Impact Resist": "31%", + "Movement Speed": "20%", + "Object ID": "3100440 (Chest)3100442 (Legs)3100441 (Head)", + "Sell": "270", + "Slot": "Set", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3f/Barrier_Set.png/revision/latest/scale-to-width-down/250?cb=20201231063827", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "13%", + "column_5": "5", + "column_6": "6", + "column_7": "10%", + "durability": "600", + "name": "Barrier Armor", + "resistances": "15%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "9%", + "column_5": "4", + "column_6": "4", + "column_7": "5%", + "durability": "600", + "name": "Barrier Boots", + "resistances": "8%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "4", + "column_6": "4", + "column_7": "5%", + "durability": "600", + "name": "Barrier Helm", + "resistances": "8%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Barrier Armor", + "15%", + "13%", + "5", + "6", + "10%", + "600", + "4.0", + "Body Armor" + ], + [ + "", + "Barrier Boots", + "8%", + "9%", + "4", + "4", + "5%", + "600", + "2.0", + "Boots" + ], + [ + "", + "Barrier Helm", + "8%", + "9%", + "4", + "4", + "5%", + "600", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "13%", + "column_5": "5", + "column_6": "6", + "column_7": "10%", + "durability": "600", + "name": "Barrier Armor", + "resistances": "15%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "9%", + "column_5": "4", + "column_6": "4", + "column_7": "5%", + "durability": "600", + "name": "Barrier Boots", + "resistances": "8%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "4", + "column_6": "4", + "column_7": "5%", + "durability": "600", + "name": "Barrier Helm", + "resistances": "8%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Barrier Armor", + "15%", + "13%", + "5", + "6", + "10%", + "600", + "4.0", + "Body Armor" + ], + [ + "", + "Barrier Boots", + "8%", + "9%", + "4", + "4", + "5%", + "600", + "2.0", + "Boots" + ], + [ + "", + "Barrier Helm", + "8%", + "9%", + "4", + "4", + "5%", + "600", + "1.0", + "Helmets" + ] + ] + } + ], + "description": "Barrier Set is a Set in Outward." + }, + { + "name": "Basic Armor", + "url": "https://outward.fandom.com/wiki/Basic_Armor", + "categories": [ + "Items", + "Armor" + ], + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Basic Armor" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Basic Armor" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Basic Armor" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Basic Armor" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Basic Armor" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Basic Armor" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Basic Armor" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Basic Armor" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Basic Armor" + } + ], + "tables": [ + { + "title": "Used In Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + } + ], + "description": "The following is a list of Basic Armor in Outward." + }, + { + "name": "Basic Boots", + "url": "https://outward.fandom.com/wiki/Basic_Boots", + "categories": [ + "Items", + "Armor" + ], + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Basic Boots" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Basic Boots" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Basic Boots" + } + ], + "tables": [ + { + "title": "Used In Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + } + ], + "description": "The following is a list of Basic Boots in Outward." + }, + { + "name": "Basic Helm", + "url": "https://outward.fandom.com/wiki/Basic_Helm", + "categories": [ + "Items", + "Armor" + ], + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Basic Helm" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Basic Helm" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Basic Helm" + } + ], + "tables": [ + { + "title": "Used In Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + } + ], + "description": "The following is a list of Basic Helmet armors in Outward." + }, + { + "name": "Battered Maize", + "url": "https://outward.fandom.com/wiki/Battered_Maize", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 3Stealth Up", + "Hunger": "20%", + "Object ID": "4100850", + "Perish Time": "19 Days, 20 Hours", + "Sell": "5", + "Type": "Food", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c2/Battered_Maize.png/revision/latest/scale-to-width-down/83?cb=20201220073820", + "effects": [ + "Restores 20% Hunger", + "Player receives Stamina Recovery (level 3)", + "Player receives Stealth Up" + ], + "recipes": [ + { + "result": "Battered Maize", + "result_count": "1x", + "ingredients": [ + "Maize", + "Torcrab Egg", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Battered Maize" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Battered Maize" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Battered Maize" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Battered Maize" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Battered Maize" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Battered Maize" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Maize Torcrab Egg Salt", + "result": "1x Battered Maize", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Battered Maize", + "Maize Torcrab Egg Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Battered Maize is an Item in Outward." + }, + { + "name": "Beast Golem Axe", + "url": "https://outward.fandom.com/wiki/Beast_Golem_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "300", + "Class": "Axes", + "Damage": "28", + "Durability": "375", + "Effects": "Bleeding", + "Impact": "22", + "Item Set": "Beast Golem Set", + "Object ID": "2010080", + "Sell": "90", + "Stamina Cost": "5", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f9/Beast_Golem_Axe.png/revision/latest?cb=20190412200205", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Beast Golem Axe", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Iron Axe", + "Spikes – Palladium" + ], + "station": "None", + "source_page": "Beast Golem Axe" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Beast Golem Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "28", + "description": "Two slashing strikes, right to left", + "impact": "22", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6", + "damage": "36.4", + "description": "Fast, triple-attack strike", + "impact": "28.6", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6", + "damage": "36.4", + "description": "Quick double strike", + "impact": "28.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6", + "damage": "36.4", + "description": "Wide-sweeping double strike", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "28", + "22", + "5", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "36.4", + "28.6", + "6", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "36.4", + "28.6", + "6", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "36.4", + "28.6", + "6", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Beast Golem Scraps Iron Axe Spikes – Palladium", + "result": "1x Beast Golem Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Beast Golem Axe", + "Beast Golem Scraps Iron Axe Spikes – Palladium", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Beast Golem Axe is an one-handed axe in Outward." + }, + { + "name": "Beast Golem Halberd", + "url": "https://outward.fandom.com/wiki/Beast_Golem_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Polearms", + "Damage": "34", + "Durability": "425", + "Effects": "Bleeding", + "Impact": "41", + "Item Set": "Beast Golem Set", + "Object ID": "2140080", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Halberd", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/98/Beast_Golem_Halberd.png/revision/latest?cb=20190412212731", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Beast Golem Halberd", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Beast Golem Scraps", + "Iron Halberd", + "Spikes – Palladium" + ], + "station": "None", + "source_page": "Beast Golem Halberd" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Beast Golem Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "34", + "description": "Two wide-sweeping strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "44.2", + "description": "Forward-thrusting strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "44.2", + "description": "Wide-sweeping strike from left", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "57.8", + "description": "Slow but powerful sweeping strike", + "impact": "69.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34", + "41", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "44.2", + "53.3", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "44.2", + "53.3", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "57.8", + "69.7", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Beast Golem Scraps Beast Golem Scraps Iron Halberd Spikes – Palladium", + "result": "1x Beast Golem Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Beast Golem Halberd", + "Beast Golem Scraps Beast Golem Scraps Iron Halberd Spikes – Palladium", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Beast Golem Halberd is a polearm in Outward" + }, + { + "name": "Beast Golem Scraps", + "url": "https://outward.fandom.com/wiki/Beast_Golem_Scraps", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "Object ID": "6600130", + "Sell": "18", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b3/Beast_Golem_Scraps.png/revision/latest/scale-to-width-down/83?cb=20190710114355", + "recipes": [ + { + "result": "Beast Golem Axe", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Iron Axe", + "Spikes – Palladium" + ], + "station": "None", + "source_page": "Beast Golem Scraps" + }, + { + "result": "Beast Golem Halberd", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Beast Golem Scraps", + "Iron Halberd", + "Spikes – Palladium" + ], + "station": "None", + "source_page": "Beast Golem Scraps" + }, + { + "result": "Galvanic Fists", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Shield Golem Scraps", + "Palladium Wristband", + "Palladium Wristband" + ], + "station": "None", + "source_page": "Beast Golem Scraps" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Beast Golem Scraps" + }, + { + "result": "Palladium Scrap", + "result_count": "5x", + "ingredients": [ + "Beast Golem Scraps", + "Beast Golem Scraps", + "Beast Golem Scraps", + "Beast Golem Scraps" + ], + "station": "None", + "source_page": "Beast Golem Scraps" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Beast Golem ScrapsIron AxeSpikes – Palladium", + "result": "1x Beast Golem Axe", + "station": "None" + }, + { + "ingredients": "Beast Golem ScrapsBeast Golem ScrapsIron HalberdSpikes – Palladium", + "result": "1x Beast Golem Halberd", + "station": "None" + }, + { + "ingredients": "Beast Golem ScrapsShield Golem ScrapsPalladium WristbandPalladium Wristband", + "result": "1x Galvanic Fists", + "station": "None" + }, + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Beast Golem ScrapsBeast Golem ScrapsBeast Golem ScrapsBeast Golem Scraps", + "result": "5x Palladium Scrap", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Beast Golem Axe", + "Beast Golem ScrapsIron AxeSpikes – Palladium", + "None" + ], + [ + "1x Beast Golem Halberd", + "Beast Golem ScrapsBeast Golem ScrapsIron HalberdSpikes – Palladium", + "None" + ], + [ + "1x Galvanic Fists", + "Beast Golem ScrapsShield Golem ScrapsPalladium WristbandPalladium Wristband", + "None" + ], + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ], + [ + "5x Palladium Scrap", + "Beast Golem ScrapsBeast Golem ScrapsBeast Golem ScrapsBeast Golem Scraps", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "9%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "9%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "66.7%", + "quantity": "1", + "source": "Beast Golem" + }, + { + "chance": "40%", + "quantity": "1", + "source": "Rusty Beast Golem" + } + ], + "raw_rows": [ + [ + "Beast Golem", + "1", + "66.7%" + ], + [ + "Rusty Beast Golem", + "1", + "40%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Beast Golem Scraps is an item in Outward used in Crafting." + }, + { + "name": "Beige Garb", + "url": "https://outward.fandom.com/wiki/Beige_Garb", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "6", + "Damage Resist": "3%", + "Durability": "90", + "Impact Resist": "2%", + "Object ID": "3000003", + "Sell": "3", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/75/Beige_Garb.png/revision/latest?cb=20190415111113", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Beige Garb" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Beige Garb" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Beige Garb" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Beige Garb" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Beige Garb" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Beige Garb" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Beige Garb" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Beige Garb" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Beige Garb" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "7.3%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "7.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "2%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "2%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "2%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "2%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "2%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "2%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "2%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "2%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ] + ] + } + ], + "description": "Beige Garb is a type of Armor in Outward." + }, + { + "name": "Bird Egg", + "url": "https://outward.fandom.com/wiki/Bird_Egg", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Health Recovery 1Stamina Recovery 1Indigestion (40% chance)", + "Hunger": "7.5%", + "Object ID": "4000230", + "Perish Time": "5 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7f/Bird_Egg.png/revision/latest?cb=20190410140928", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Health Recovery (level 1)", + "Player receives Stamina Recovery (level 1)", + "Player receives Indigestion (40% chance)" + ], + "recipes": [ + { + "result": "Angel Food Cake", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Bird Egg" + }, + { + "result": "Cheese Cake", + "result_count": "3x", + "ingredients": [ + "Fresh Cream", + "Fresh Cream", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Bird Egg" + }, + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Bird Egg" + }, + { + "result": "Cooked Bird Egg", + "result_count": "1x", + "ingredients": [ + "Bird Egg" + ], + "station": "Campfire", + "source_page": "Bird Egg" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Bird Egg" + }, + { + "result": "Miner's Omelet", + "result_count": "3x", + "ingredients": [ + "Egg", + "Egg", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Bird Egg" + }, + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Bird Egg" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Bird Egg" + }, + { + "result": "Spiny Meringue", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Egg", + "Larva Egg" + ], + "station": "Cooking Pot", + "source_page": "Bird Egg" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "FlourEggSugar", + "result": "3x Angel Food Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Fresh CreamFresh CreamEggSugar", + "result": "3x Cheese Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's MeatSaltEggFlour", + "result": "1x Cipate", + "station": "Cooking Pot" + }, + { + "ingredients": "Bird Egg", + "result": "1x Cooked Bird Egg", + "station": "Campfire" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "EggEggCommon Mushroom", + "result": "3x Miner's Omelet", + "station": "Cooking Pot" + }, + { + "ingredients": "FlourEggSugarBoozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Cactus FruitCactus FruitEggLarva Egg", + "result": "3x Spiny Meringue", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Angel Food Cake", + "FlourEggSugar", + "Cooking Pot" + ], + [ + "3x Cheese Cake", + "Fresh CreamFresh CreamEggSugar", + "Cooking Pot" + ], + [ + "1x Cipate", + "Boozu's MeatSaltEggFlour", + "Cooking Pot" + ], + [ + "1x Cooked Bird Egg", + "Bird Egg", + "Campfire" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "3x Miner's Omelet", + "EggEggCommon Mushroom", + "Cooking Pot" + ], + [ + "3x Pouding Chomeur", + "FlourEggSugarBoozu's Milk", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Spiny Meringue", + "Cactus FruitCactus FruitEggLarva Egg", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Pearlbird Nest" + } + ], + "raw_rows": [ + [ + "Pearlbird Nest", + "3", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 4", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Vendavel Fortress", + "quantity": "1 - 2", + "source": "Vendavel Prisoner" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "3 - 4", + "100%", + "Harmattan" + ], + [ + "Pelletier Baker, Chef", + "3 - 5", + "100%", + "Harmattan" + ], + [ + "Vendavel Prisoner", + "1 - 2", + "100%", + "Vendavel Fortress" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Pearlbird Cutthroat" + }, + { + "chance": "73.2%", + "quantity": "1", + "source": "Pearlbird" + }, + { + "chance": "37.5%", + "quantity": "1", + "source": "Jewelbird" + } + ], + "raw_rows": [ + [ + "Pearlbird Cutthroat", + "1", + "100%" + ], + [ + "Pearlbird", + "1", + "73.2%" + ], + [ + "Jewelbird", + "1", + "37.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1 - 3", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1 - 3", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1 - 3", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1 - 3", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1 - 3", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1 - 3", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1 - 3", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1 - 3", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 3", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1 - 3", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 3", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ] + ] + } + ], + "description": "The Bird Egg is Food in Outward." + }, + { + "name": "Bitter Spicy Tea", + "url": "https://outward.fandom.com/wiki/Bitter_Spicy_Tea", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Drink": "7%", + "Effects": "Restores 15 Burnt StaminaCold Weather Def UpCures Infection", + "Object ID": "4200050", + "Perish Time": "∞", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2e/Bitter_Spicy_Tea.png/revision/latest?cb=20190410140730", + "effects": [ + "Restores 7% Drink", + "Restores 15 Burnt Stamina", + "Player receives Cold Weather Def Up", + "Removes Infection" + ], + "recipes": [ + { + "result": "Bitter Spicy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Bitter Spicy Tea" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Ochre Spice Beetle", + "result": "1x Bitter Spicy Tea", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Bitter Spicy Tea", + "Water Ochre Spice Beetle", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Chef Tenno" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "6", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "6", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "6", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "5 - 8", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "7", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "7", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "6", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "7", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "6", + "source": "Silver-Nose the Trader" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "6", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2 - 4", + "100%", + "New Sirocco" + ], + [ + "Chef Tenno", + "1", + "100%", + "Levant" + ], + [ + "Felix Jimson, Shopkeeper", + "3", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "6", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "6", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "6", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "6", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "5 - 8", + "100%", + "New Sirocco" + ], + [ + "Pelletier Baker, Chef", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "7", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "7", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "6", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "7", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "6", + "100%", + "Hallowed Marsh" + ], + [ + "Tuan the Alchemist", + "6", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Bitter Spicy Tea is a drink item in Outward." + }, + { + "name": "Black Dancer Clothes", + "url": "https://outward.fandom.com/wiki/Black_Dancer_Clothes", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "175", + "Damage Resist": "3%", + "Durability": "180", + "Hot Weather Def.": "14", + "Impact Resist": "4%", + "Item Set": "Dancer Set", + "Object ID": "3000181", + "Sell": "53", + "Slot": "Chest", + "Stamina Cost": "-25%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a7/Dancer_Clothes.png/revision/latest?cb=20190415111846", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Black Dancer Clothes" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Black Dancer Clothes" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Black Dancer Clothes" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Black Dancer Clothes" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Black Dancer Clothes" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Black Dancer Clothes" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Black Dancer Clothes" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Black Dancer Clothes" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Black Dancer Clothes" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "11.9%", + "Harmattan" + ] + ] + } + ], + "description": "Black Dancer Clothes is a type of Armor in Outward." + }, + { + "name": "Black Fur Armor", + "url": "https://outward.fandom.com/wiki/Black_Fur_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "450", + "Cold Weather Def.": "24", + "Damage Resist": "20% 25%", + "Durability": "460", + "Impact Resist": "17%", + "Item Set": "Black Fur Set", + "Object ID": "3000330", + "Sell": "135", + "Slot": "Chest", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d5/Black_Fur_Armor.png/revision/latest?cb=20190629155256", + "tables": [ + { + "title": "Legacy", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fur Armor", + "upgrade": "Black Fur Armor" + } + ], + "raw_rows": [ + [ + "Fur Armor", + "Black Fur Armor" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance", + "enchantment": "Inner Warmth" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Warmth", + "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Black Fur Armor is a type of Armor in Outward." + }, + { + "name": "Black Fur Boots", + "url": "https://outward.fandom.com/wiki/Black_Fur_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "250", + "Cold Weather Def.": "12", + "Damage Resist": "11% 10%", + "Durability": "460", + "Impact Resist": "10%", + "Item Set": "Black Fur Set", + "Object ID": "3000332", + "Sell": "75", + "Slot": "Legs", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9f/Black_Fur_Boots.png/revision/latest?cb=20190629155257", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fur Boots", + "upgrade": "Black Fur Boots" + } + ], + "raw_rows": [ + [ + "Fur Boots", + "Black Fur Boots" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance", + "enchantment": "Inner Warmth" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Inner Warmth", + "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Black Fur Boots is a type of Armor in Outward." + }, + { + "name": "Black Fur Helmet", + "url": "https://outward.fandom.com/wiki/Black_Fur_Helmet", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "250", + "Cold Weather Def.": "12", + "Damage Resist": "12% 15%", + "Durability": "460", + "Impact Resist": "12%", + "Item Set": "Black Fur Set", + "Object ID": "3000331", + "Sell": "75", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cf/Black_Fur_Helmet.png/revision/latest?cb=20190629155300", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fur Helm", + "upgrade": "Black Fur Helmet" + } + ], + "raw_rows": [ + [ + "Fur Helm", + "Black Fur Helmet" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance", + "enchantment": "Inner Warmth" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Warmth", + "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Black Fur Helmet is a type of Armor in Outward." + }, + { + "name": "Black Fur Set", + "url": "https://outward.fandom.com/wiki/Black_Fur_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "950", + "Cold Weather Def.": "48", + "Damage Resist": "43% 50%", + "Durability": "1380", + "Impact Resist": "39%", + "Object ID": "3000330 (Chest)3000332 (Legs)3000331 (Head)", + "Sell": "285", + "Slot": "Set", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/56/Black_Fur_Set.png/revision/latest/scale-to-width-down/250?cb=20190910071546", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "24", + "durability": "460", + "name": "Black Fur Armor", + "resistances": "20% 25%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "12", + "durability": "460", + "name": "Black Fur Boots", + "resistances": "11% 10%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "12", + "durability": "460", + "name": "Black Fur Helmet", + "resistances": "12% 15%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Black Fur Armor", + "20% 25%", + "17%", + "24", + "460", + "8.0", + "Body Armor" + ], + [ + "", + "Black Fur Boots", + "11% 10%", + "10%", + "12", + "460", + "4.0", + "Boots" + ], + [ + "", + "Black Fur Helmet", + "12% 15%", + "12%", + "12", + "460", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "24", + "durability": "460", + "name": "Black Fur Armor", + "resistances": "20% 25%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "12", + "durability": "460", + "name": "Black Fur Boots", + "resistances": "11% 10%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "12", + "durability": "460", + "name": "Black Fur Helmet", + "resistances": "12% 15%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Black Fur Armor", + "20% 25%", + "17%", + "24", + "460", + "8.0", + "Body Armor" + ], + [ + "", + "Black Fur Boots", + "11% 10%", + "10%", + "12", + "460", + "4.0", + "Boots" + ], + [ + "", + "Black Fur Helmet", + "12% 15%", + "12%", + "12", + "460", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Black Fur Set is a Set in Outward. Each item is the result of the Legacy Chest upgrade of the Fur Set" + }, + { + "name": "Black Pearlbird Egg", + "url": "https://outward.fandom.com/wiki/Black_Pearlbird_Egg", + "categories": [ + "DLC: The Three Brothers", + "Other", + "Items" + ], + "infobox": { + "Buy": "45", + "DLC": "The Three Brothers", + "Object ID": "4300495", + "Sell": "14", + "Type": "Other", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/72/Black_Pearlbird_Egg.png/revision/latest/scale-to-width-down/83?cb=20201220073822", + "effects": [ + "Grants the Cutthroat Pearlbird Pet skill" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Bird Egg", + "upgrade": "Black Pearlbird Egg" + } + ], + "raw_rows": [ + [ + "Bird Egg", + "Black Pearlbird Egg" + ] + ] + } + ], + "description": "Black Pearlbird Egg is an Item in Outward." + }, + { + "name": "Black Pearlbird Mask", + "url": "https://outward.fandom.com/wiki/Black_Pearlbird_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "50", + "Damage Resist": "6%", + "Durability": "100", + "Impact Resist": "6%", + "Movement Speed": "17%", + "Object ID": "3000251", + "Sell": "15", + "Slot": "Head", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e3/Black_Pearlbird_Mask.png/revision/latest?cb=20190629155301", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Pearlbird Mask", + "upgrade": "Black Pearlbird Mask" + } + ], + "raw_rows": [ + [ + "Pearlbird Mask", + "Black Pearlbird Mask" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Black Pearlbird Mask is a type of Armor in Outward." + }, + { + "name": "Black Plate Armor", + "url": "https://outward.fandom.com/wiki/Black_Plate_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "560", + "Cold Weather Def.": "10", + "Damage Resist": "23%", + "Durability": "325", + "Hot Weather Def.": "-15", + "Impact Resist": "19%", + "Item Set": "Black Plate Set", + "Movement Speed": "-6%", + "Object ID": "3100093", + "Protection": "3", + "Sell": "186", + "Slot": "Chest", + "Stamina Cost": "6%", + "Weight": "19.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2e/Black_Plate_Armor.png/revision/latest?cb=20190415111402", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Black Plate Armor" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +11% Stamina cost reduction (-11% Stamina costs)Reduces the Weight of this item by -9", + "enchantment": "Light as Wind" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Light as Wind", + "Gain +11% Stamina cost reduction (-11% Stamina costs)Reduces the Weight of this item by -9" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.8%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "21%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1 - 4", + "22.8%", + "Harmattan" + ], + [ + "Quikiza the Blacksmith", + "1 - 2", + "21%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Black Plate Armor is a type of Armor in Outward." + }, + { + "name": "Black Plate Boots", + "url": "https://outward.fandom.com/wiki/Black_Plate_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "280", + "Cold Weather Def.": "5", + "Damage Resist": "16%", + "Durability": "325", + "Impact Resist": "11%", + "Item Set": "Black Plate Set", + "Movement Speed": "-4%", + "Object ID": "3100095", + "Protection": "2", + "Sell": "93", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "13.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/99/Black_Plate_Boots.png/revision/latest?cb=20190415151058", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Black Plate Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Gain +14% Movement Speed", + "enchantment": "Guidance of Wind" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Guidance of Wind", + "Gain +14% Movement Speed" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "21%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "1 - 2", + "21%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Black Plate Boots is a type of Armor in Outward." + }, + { + "name": "Black Plate Helm", + "url": "https://outward.fandom.com/wiki/Black_Plate_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "280", + "Cold Weather Def.": "5", + "Damage Resist": "16%", + "Durability": "325", + "Impact Resist": "11%", + "Item Set": "Black Plate Set", + "Mana Cost": "40%", + "Movement Speed": "-4%", + "Object ID": "3100094", + "Protection": "2", + "Sell": "84", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7c/Black_Plate_Helm.png/revision/latest?cb=20190407062733", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Black Plate Helm" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +10% Ethereal damage bonusGain +10% Impact damage bonus", + "enchantment": "Primal Wind" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Primal Wind", + "Gain +10% Ethereal damage bonusGain +10% Impact damage bonus" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "21%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "20.8%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "1 - 2", + "21%", + "Berg" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "20.8%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Black Plate Helm is a type of Armor in Outward." + }, + { + "name": "Black Plate Set", + "url": "https://outward.fandom.com/wiki/Black_Plate_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1120", + "Cold Weather Def.": "20", + "Damage Resist": "55%", + "Durability": "975", + "Hot Weather Def.": "-15", + "Impact Resist": "41%", + "Mana Cost": "40%", + "Movement Speed": "-14%", + "Object ID": "3100093 (Chest)3100095 (Legs)3100094 (Head)", + "Protection": "7", + "Sell": "363", + "Slot": "Set", + "Stamina Cost": "14%", + "Weight": "41.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/37/Black_Plate_Set.png/revision/latest/scale-to-width-down/250?cb=20200221162941", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-6%", + "column_4": "19%", + "column_5": "3", + "column_6": "-15", + "column_7": "10", + "column_8": "6%", + "column_9": "–", + "durability": "325", + "name": "Black Plate Armor", + "resistances": "23%", + "weight": "19.0" + }, + { + "class": "Boots", + "column_10": "-4%", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "5", + "column_8": "4%", + "column_9": "–", + "durability": "325", + "name": "Black Plate Boots", + "resistances": "16%", + "weight": "13.0" + }, + { + "class": "Helmets", + "column_10": "-4%", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "5", + "column_8": "4%", + "column_9": "40%", + "durability": "325", + "name": "Black Plate Helm", + "resistances": "16%", + "weight": "9.0" + } + ], + "raw_rows": [ + [ + "", + "Black Plate Armor", + "23%", + "19%", + "3", + "-15", + "10", + "6%", + "–", + "-6%", + "325", + "19.0", + "Body Armor" + ], + [ + "", + "Black Plate Boots", + "16%", + "11%", + "2", + "–", + "5", + "4%", + "–", + "-4%", + "325", + "13.0", + "Boots" + ], + [ + "", + "Black Plate Helm", + "16%", + "11%", + "2", + "–", + "5", + "4%", + "40%", + "-4%", + "325", + "9.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-6%", + "column_4": "19%", + "column_5": "3", + "column_6": "-15", + "column_7": "10", + "column_8": "6%", + "column_9": "–", + "durability": "325", + "name": "Black Plate Armor", + "resistances": "23%", + "weight": "19.0" + }, + { + "class": "Boots", + "column_10": "-4%", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "5", + "column_8": "4%", + "column_9": "–", + "durability": "325", + "name": "Black Plate Boots", + "resistances": "16%", + "weight": "13.0" + }, + { + "class": "Helmets", + "column_10": "-4%", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "5", + "column_8": "4%", + "column_9": "40%", + "durability": "325", + "name": "Black Plate Helm", + "resistances": "16%", + "weight": "9.0" + } + ], + "raw_rows": [ + [ + "", + "Black Plate Armor", + "23%", + "19%", + "3", + "-15", + "10", + "6%", + "–", + "-6%", + "325", + "19.0", + "Body Armor" + ], + [ + "", + "Black Plate Boots", + "16%", + "11%", + "2", + "–", + "5", + "4%", + "–", + "-4%", + "325", + "13.0", + "Boots" + ], + [ + "", + "Black Plate Helm", + "16%", + "11%", + "2", + "–", + "5", + "4%", + "40%", + "-4%", + "325", + "9.0", + "Helmets" + ] + ] + } + ], + "description": "Black Plate Set is a Set in Outward." + }, + { + "name": "Black Worker Boots", + "url": "https://outward.fandom.com/wiki/Black_Worker_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "6", + "Cold Weather Def.": "3", + "Damage Resist": "1%", + "Durability": "90", + "Impact Resist": "1%", + "Item Set": "Worker Set", + "Object ID": "3000084", + "Sell": "2", + "Slot": "Legs", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f8/Black_Worker_Boots.png/revision/latest?cb=20190415151155", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Black Worker Boots" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Black Worker Boots" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Black Worker Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + } + ], + "raw_rows": [ + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "5%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "2.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "2.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "5%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "5%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "2.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "2.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "2.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Black Worker Boots is a type of Armor in Outward." + }, + { + "name": "Blacksmith's Vintage Hammer", + "url": "https://outward.fandom.com/wiki/Blacksmith%27s_Vintage_Hammer", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Maces", + "Damage": "16", + "Durability": "300", + "Effects": "Elemental Vulnerability", + "Impact": "35", + "Object ID": "2020091", + "Sell": "90", + "Stamina Cost": "5", + "Type": "One-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d6/Blacksmith%27s_Vintage_Hammer.png/revision/latest?cb=20190412210527", + "effects": [ + "Inflicts Elemental Vulnerability (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Brand", + "result_count": "1x", + "ingredients": [ + "Strange Rusted Sword", + "Chemist's Broken Flask", + "Mage's Poking Stick", + "Blacksmith's Vintage Hammer" + ], + "station": "None", + "source_page": "Blacksmith's Vintage Hammer" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Blacksmith's Vintage Hammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "16", + "description": "Two wide-sweeping strikes, right to left", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "20.8", + "description": "Slow, overhead strike with high impact", + "impact": "87.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "20.8", + "description": "Fast, forward-thrusting strike", + "impact": "45.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "20.8", + "description": "Fast, forward-thrusting strike", + "impact": "45.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "16", + "35", + "5", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "20.8", + "87.5", + "6.5", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "20.8", + "45.5", + "6.5", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.8", + "45.5", + "6.5", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Strange Rusted SwordChemist's Broken FlaskMage's Poking StickBlacksmith's Vintage Hammer", + "result": "1x Brand", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Brand", + "Strange Rusted SwordChemist's Broken FlaskMage's Poking StickBlacksmith's Vintage Hammer", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Blacksmith's Vintage Hammer is a one-handed mace in Outward." + }, + { + "name": "Blade Prism", + "url": "https://outward.fandom.com/wiki/Blade_Prism", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "45", + "DLC": "The Three Brothers", + "Object ID": "6000500", + "Sell": "14", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/62/Blade_Prism.png/revision/latest/scale-to-width-down/83?cb=20201220073824", + "recipes": [ + { + "result": "Astral Chakram", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Blade Prism" + }, + { + "result": "Astral Claymore", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Blade Prism" + }, + { + "result": "Astral Halberd", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Blade Prism" + }, + { + "result": "Astral Sword", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Blade Prism" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Trinket HandleBlade PrismWaning Tentacle", + "result": "1x Astral Chakram", + "station": "None" + }, + { + "ingredients": "Long HandleBlade PrismWaning Tentacle", + "result": "1x Astral Claymore", + "station": "None" + }, + { + "ingredients": "Shaft HandleBlade PrismWaning Tentacle", + "result": "1x Astral Halberd", + "station": "None" + }, + { + "ingredients": "Short HandleBlade PrismWaning Tentacle", + "result": "1x Astral Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Chakram", + "Trinket HandleBlade PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Claymore", + "Long HandleBlade PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Halberd", + "Shaft HandleBlade PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Sword", + "Short HandleBlade PrismWaning Tentacle", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "13.5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "13.5%", + "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Blade Prism is an Item in Outward." + }, + { + "name": "Blazing Bomb", + "url": "https://outward.fandom.com/wiki/Blazing_Bomb", + "categories": [ + "DLC: The Three Brothers", + "Bomb", + "Items" + ], + "infobox": { + "Buy": "40", + "DLC": "The Three Brothers", + "Effects": "150 Fire damage and 75 ImpactInflicts Scorched and Blaze", + "Object ID": "4600070", + "Sell": "12", + "Type": "Bomb", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5a/Blazing_Bomb.png/revision/latest/scale-to-width-down/83?cb=20201220073825", + "effects": [ + "Explosion deals 150 Fire damage and 75 Impact", + "Inflicts Scorched (100% buildup)", + "Inflicts Blaze on foes afflicted with Burning (100% buildup)" + ], + "effect_links": [ + "/wiki/Scorched", + "/wiki/Effects#Buildup", + "/wiki/Burning" + ], + "recipes": [ + { + "result": "Blazing Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Obsidian Shard", + "Oil Bomb" + ], + "station": "Alchemy Kit", + "source_page": "Blazing Bomb" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb Kit Obsidian Shard Oil Bomb", + "result": "1x Blazing Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Blazing Bomb", + "Bomb Kit Obsidian Shard Oil Bomb", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6 - 8", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "6 - 8", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Blazing Bomb is an Item in Outward." + }, + { + "name": "Blessed Potion", + "url": "https://outward.fandom.com/wiki/Blessed_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "15", + "Effects": "Blessed", + "Object ID": "4300100", + "Perish Time": "∞", + "Sell": "4", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/47/Blessed_Potion.png/revision/latest?cb=20190410154330", + "effects": [ + "Player receives Blessed", + "+20% Lightning damage", + "+20% Lightning resistance" + ], + "recipes": [ + { + "result": "Blessed Potion", + "result_count": "3x", + "ingredients": [ + "Firefly Powder", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Blessed Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "240 seconds", + "effects": "+20% Lightning damage+20% Lightning resistance", + "name": "Blessed" + } + ], + "raw_rows": [ + [ + "", + "Blessed", + "240 seconds", + "+20% Lightning damage+20% Lightning resistance" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Firefly Powder Water", + "result": "3x Blessed Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Blessed Potion", + "Firefly Powder Water", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Vay the Alchemist" + }, + { + "chance": "31.7%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "22.1%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "3", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "3", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "3", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "3", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "3", + "100%", + "Berg" + ], + [ + "Laine the Alchemist", + "1 - 5", + "31.7%", + "Monsoon" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "22.1%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 20", + "16.3%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.1%", + "locations": "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.1%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "11.1%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "11.1%", + "locations": "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Hallowed Marsh, Reptilian Lair", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "11.1%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "11.1%", + "locations": "Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "11.1%", + "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco" + ], + [ + "Calygrey Chest", + "1 - 2", + "11.1%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "11.1%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "11.1%", + "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone" + ], + [ + "Corpse", + "1 - 2", + "11.1%", + "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Antique Plateau, Hallowed Marsh, Reptilian Lair" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "11.1%", + "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "11.1%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 2", + "11.1%", + "Voltaic Hatchery" + ] + ] + } + ], + "description": "Blessed Potion is a consumable item in Outward." + }, + { + "name": "Blood Mushroom", + "url": "https://outward.fandom.com/wiki/Blood_Mushroom", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "Effects": "Confusion", + "Hunger": "5%", + "Object ID": "4000150", + "Perish Time": "9 Days 22 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Blood_Mushroom.png/revision/latest?cb=20190417091208", + "effects": [ + "Restores 50 Hunger", + "Player receives Confusion" + ], + "recipes": [ + { + "result": "Charge – Nerve Gas", + "result_count": "3x", + "ingredients": [ + "Blood Mushroom", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Blood Mushroom" + }, + { + "result": "Fungal Cleanser", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Mushroom", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Blood Mushroom" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Blood Mushroom" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Manticore Tail", + "Blood Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Blood Mushroom" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Gravel Beetle", + "Blood Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Blood Mushroom" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Blood MushroomLivweediSalt", + "result": "3x Charge – Nerve Gas", + "station": "Alchemy Kit" + }, + { + "ingredients": "WoolshroomMushroomOchre Spice Beetle", + "result": "3x Fungal Cleanser", + "station": "Cooking Pot" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "WaterManticore TailBlood Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gravel BeetleBlood MushroomWater", + "result": "1x Life Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Charge – Nerve Gas", + "Blood MushroomLivweediSalt", + "Alchemy Kit" + ], + [ + "3x Fungal Cleanser", + "WoolshroomMushroomOchre Spice Beetle", + "Cooking Pot" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "3x Great Astral Potion", + "WaterManticore TailBlood Mushroom", + "Alchemy Kit" + ], + [ + "1x Life Potion", + "Gravel BeetleBlood MushroomWater", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Blood Mushroom (Gatherable)" + } + ], + "raw_rows": [ + [ + "Blood Mushroom (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "5 - 6", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "4", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "4", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "8", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 4", + "source": "Pholiota/Low Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 6", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "4", + "source": "Vay the Alchemist" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "33.8%", + "locations": "Levant", + "quantity": "4", + "source": "Tuan the Alchemist" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 18", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 18", + "source": "Fourth Watcher" + }, + { + "chance": "23.2%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 9", + "source": "Pholiota/Low Stock" + }, + { + "chance": "17.5%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "1 - 24", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "5 - 6", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "4", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "4", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "3 - 5", + "100%", + "New Sirocco" + ], + [ + "Pholiota/High Stock", + "8", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "2 - 4", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "3 - 6", + "100%", + "Harmattan" + ], + [ + "Vay the Alchemist", + "4", + "100%", + "Berg" + ], + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Tuan the Alchemist", + "4", + "33.8%", + "Levant" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 18", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 18", + "25.9%", + "Conflux Chambers" + ], + [ + "Pholiota/Low Stock", + "2 - 9", + "23.2%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "17.5%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "1 - 24", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Pearlbird Cutthroat" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Friendly Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Raider" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Warlock" + }, + { + "chance": "37.6%", + "quantity": "2 - 4", + "source": "Phytoflora" + }, + { + "chance": "29.8%", + "quantity": "1 - 3", + "source": "Phytosaur" + }, + { + "chance": "25.9%", + "quantity": "1 - 12", + "source": "Blood Sorcerer" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Illuminator Horror" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Vile Illuminator" + }, + { + "chance": "12.9%", + "quantity": "1 - 2", + "source": "Troglodyte Knight" + }, + { + "chance": "12.3%", + "quantity": "2 - 9", + "source": "Ice Witch" + }, + { + "chance": "9.4%", + "quantity": "2 - 3", + "source": "Jade-Lich Acolyte" + }, + { + "chance": "7.7%", + "quantity": "1", + "source": "Mana Troglodyte" + }, + { + "chance": "7.7%", + "quantity": "1", + "source": "Troglodyte Archmage" + } + ], + "raw_rows": [ + [ + "Pearlbird Cutthroat", + "3", + "100%" + ], + [ + "Friendly Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate Raider", + "1 - 5", + "41%" + ], + [ + "Immaculate Warlock", + "1 - 5", + "41%" + ], + [ + "Phytoflora", + "2 - 4", + "37.6%" + ], + [ + "Phytosaur", + "1 - 3", + "29.8%" + ], + [ + "Blood Sorcerer", + "1 - 12", + "25.9%" + ], + [ + "Illuminator Horror", + "1", + "16.7%" + ], + [ + "Vile Illuminator", + "1", + "16.7%" + ], + [ + "Troglodyte Knight", + "1 - 2", + "12.9%" + ], + [ + "Ice Witch", + "2 - 9", + "12.3%" + ], + [ + "Jade-Lich Acolyte", + "2 - 3", + "9.4%" + ], + [ + "Mana Troglodyte", + "1", + "7.7%" + ], + [ + "Troglodyte Archmage", + "1", + "7.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.1%", + "locations": "Under Island", + "quantity": "2 - 8", + "source": "Trog Chest" + }, + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "2 - 8", + "22.1%", + "Under Island" + ], + [ + "Junk Pile", + "1 - 4", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 4", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ] + ] + } + ], + "description": "Blood Mushroom is a food item in Outward, commonly used with Crafting." + }, + { + "name": "Bloodroot", + "url": "https://outward.fandom.com/wiki/Bloodroot", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6000400", + "Sell": "27", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/51/Bloodroot.png/revision/latest/scale-to-width-down/83?cb=20201220073826", + "recipes": [ + { + "result": "Tokebakicit", + "result_count": "1x", + "ingredients": [ + "Unusual Knuckles", + "Chromium Shards", + "Bloodroot" + ], + "station": "None", + "source_page": "Bloodroot" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Unusual KnucklesChromium ShardsBloodroot", + "result": "1x Tokebakicit", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Tokebakicit", + "Unusual KnucklesChromium ShardsBloodroot", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ] + ] + }, + { + "title": "Acquired From / Unidentified Sample Sources", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + } + ], + "description": "Bloodroot is an Item in Outward." + }, + { + "name": "Blue Light Clothes", + "url": "https://outward.fandom.com/wiki/Blue_Light_Clothes", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "35", + "Damage Resist": "2%", + "Durability": "150", + "Hot Weather Def.": "15", + "Impact Resist": "3%", + "Item Set": "Light Clothes Set", + "Object ID": "3000170", + "Sell": "11", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a7/Dancer_Clothes.png/revision/latest?cb=20190415111846", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Blue Light Clothes" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Blue Light Clothes" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Blue Light Clothes" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Blue Light Clothes" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Blue Light Clothes" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Blue Light Clothes" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Blue Light Clothes" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Blue Light Clothes" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Blue Light Clothes" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "12.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "12.5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "12.5%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "12.5%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "12.5%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "12.5%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "12.5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "12.5%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "12.5%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "12.5%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "12.5%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "12.5%", + "Forgotten Research Laboratory" + ] + ] + } + ], + "description": "Blue Light Clothes is a type of Armor in Outward." + }, + { + "name": "Blue Sand", + "url": "https://outward.fandom.com/wiki/Blue_Sand", + "categories": [ + "Ingredient", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "47", + "Object ID": "6400110", + "Sell": "14", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/71/Blue_Sand.png/revision/latest?cb=20190417091312", + "recipes": [ + { + "result": "Blue Sand Armor", + "result_count": "1x", + "ingredients": [ + "400 silver", + "5x Blue Sand" + ], + "station": "Loud-Hammer", + "source_page": "Blue Sand" + }, + { + "result": "Blue Sand Boots", + "result_count": "1x", + "ingredients": [ + "200 silver", + "2x Blue Sand" + ], + "station": "Loud-Hammer", + "source_page": "Blue Sand" + }, + { + "result": "Blue Sand Helm", + "result_count": "1x", + "ingredients": [ + "250 silver", + "3x Blue Sand" + ], + "station": "Loud-Hammer", + "source_page": "Blue Sand" + }, + { + "result": "Cold Stone", + "result_count": "3x", + "ingredients": [ + "Blue Sand", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Blue Sand" + }, + { + "result": "Golem Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Occult Remains", + "Blue Sand", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Blue Sand" + }, + { + "result": "Rotwood Staff", + "result_count": "1x", + "ingredients": [ + "Compasswood Staff", + "Blue Sand", + "Crystal Powder" + ], + "station": "None", + "source_page": "Blue Sand" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "400 silver5x Blue Sand", + "result": "1x Blue Sand Armor", + "station": "Loud-Hammer" + }, + { + "ingredients": "200 silver2x Blue Sand", + "result": "1x Blue Sand Boots", + "station": "Loud-Hammer" + }, + { + "ingredients": "250 silver3x Blue Sand", + "result": "1x Blue Sand Helm", + "station": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "1x Blue Sand Armor", + "400 silver5x Blue Sand", + "Loud-Hammer" + ], + [ + "1x Blue Sand Boots", + "200 silver2x Blue Sand", + "Loud-Hammer" + ], + [ + "1x Blue Sand Helm", + "250 silver3x Blue Sand", + "Loud-Hammer" + ] + ] + }, + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Blue SandMana Stone", + "result": "3x Cold Stone", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult RemainsBlue SandCrystal Powder", + "result": "1x Golem Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Compasswood StaffBlue SandCrystal Powder", + "result": "1x Rotwood Staff", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Cold Stone", + "Blue SandMana Stone", + "Alchemy Kit" + ], + [ + "1x Golem Elixir", + "WaterOccult RemainsBlue SandCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Rotwood Staff", + "Compasswood StaffBlue SandCrystal Powder", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Blue Sand (Gatherable)" + }, + { + "chance": "17.6%", + "quantity": "1", + "source": "Fishing/Beach" + }, + { + "chance": "15.2%", + "quantity": "1", + "source": "Fishing/Cave" + }, + { + "chance": "15.2%", + "quantity": "1", + "source": "Fishing/River (Chersonese)" + }, + { + "chance": "15.2%", + "quantity": "1", + "source": "Fishing/River (Enmerkar Forest)" + }, + { + "chance": "9.7%", + "quantity": "1", + "source": "Fishing/Caldera" + } + ], + "raw_rows": [ + [ + "Blue Sand (Gatherable)", + "1 - 2", + "100%" + ], + [ + "Fishing/Beach", + "1", + "17.6%" + ], + [ + "Fishing/Cave", + "1", + "15.2%" + ], + [ + "Fishing/River (Chersonese)", + "1", + "15.2%" + ], + [ + "Fishing/River (Enmerkar Forest)", + "1", + "15.2%" + ], + [ + "Fishing/Caldera", + "1", + "9.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "3.4%", + "locations": "Cierzo", + "quantity": "1", + "source": "Fishmonger Karl" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Fishmonger Karl", + "1", + "3.4%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Glacial Tuanosaur" + }, + { + "chance": "30.6%", + "quantity": "1 - 2", + "source": "Torcrab" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Drifting Medyse" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Elder Medyse" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Grandmother Medyse" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Quartz Beetle" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Ghost (Red)" + }, + { + "chance": "13.6%", + "quantity": "1", + "source": "Crescent Shark" + }, + { + "chance": "12.1%", + "quantity": "1", + "source": "Mantis Shrimp" + }, + { + "chance": "11.8%", + "quantity": "1", + "source": "Quartz Gastrocin" + }, + { + "chance": "8%", + "quantity": "1", + "source": "Ghost (Caldera)" + }, + { + "chance": "8%", + "quantity": "1", + "source": "Ghost (Purple)" + }, + { + "chance": "8%", + "quantity": "1", + "source": "Ghost (Red Lady)" + }, + { + "chance": "3.5%", + "quantity": "1 - 2", + "source": "Animated Skeleton (Miner)" + } + ], + "raw_rows": [ + [ + "Glacial Tuanosaur", + "1 - 2", + "100%" + ], + [ + "Torcrab", + "1 - 2", + "30.6%" + ], + [ + "Drifting Medyse", + "1", + "25%" + ], + [ + "Elder Medyse", + "1", + "25%" + ], + [ + "Grandmother Medyse", + "1", + "25%" + ], + [ + "Quartz Beetle", + "1", + "20%" + ], + [ + "Ghost (Red)", + "1", + "14.3%" + ], + [ + "Crescent Shark", + "1", + "13.6%" + ], + [ + "Mantis Shrimp", + "1", + "12.1%" + ], + [ + "Quartz Gastrocin", + "1", + "11.8%" + ], + [ + "Ghost (Caldera)", + "1", + "8%" + ], + [ + "Ghost (Purple)", + "1", + "8%" + ], + [ + "Ghost (Red Lady)", + "1", + "8%" + ], + [ + "Animated Skeleton (Miner)", + "1 - 2", + "3.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1 - 2", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1 - 2", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1 - 2", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1 - 2", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Blue Sand is a crafting item in Outward." + }, + { + "name": "Blue Sand Armor", + "url": "https://outward.fandom.com/wiki/Blue_Sand_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor", + "Equipment" + ], + "infobox": { + "Buy": "560", + "Damage Resist": "20% 20% 20%", + "Durability": "350", + "Hot Weather Def.": "-10", + "Impact Resist": "19%", + "Item Set": "Blue Sand Set", + "Made By": "Loud-Hammer (Cierzo)", + "Materials": "5x Blue Sand400", + "Movement Speed": "-6%", + "Object ID": "3100080", + "Protection": "3", + "Sell": "186", + "Slot": "Chest", + "Stamina Cost": "6%", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Blue_Sand_Armor.png/revision/latest?cb=20190415112250", + "recipes": [ + { + "result": "Blue Sand Armor", + "result_count": "1x", + "ingredients": [ + "400 silver", + "5x Blue Sand" + ], + "station": "Loud-Hammer", + "source_page": "Blue Sand Armor" + }, + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Blue Sand Armor" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "400 silver5x Blue Sand", + "result": "1x Blue Sand Armor", + "station": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "1x Blue Sand Armor", + "400 silver5x Blue Sand", + "Loud-Hammer" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Blue Sand Armor is a chest piece made from Blue Sand. It boasts exceptional defenses, outclassing even the Half-plate armor early game, though it is quite heavy and inhibits movement as well as stamina regeneration in exchange for its defensive capabilities." + }, + { + "name": "Blue Sand Boots", + "url": "https://outward.fandom.com/wiki/Blue_Sand_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "280", + "Damage Resist": "14% 20%", + "Durability": "350", + "Impact Resist": "11%", + "Item Set": "Blue Sand Set", + "Made By": "Loud-Hammer (Cierzo)", + "Materials": "2x Blue Sand 200", + "Movement Speed": "-4%", + "Object ID": "3100082", + "Protection": "2", + "Sell": "93", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/dd/Blue_Sand_Boots.png/revision/latest?cb=20190415151522", + "recipes": [ + { + "result": "Blue Sand Boots", + "result_count": "1x", + "ingredients": [ + "200 silver", + "2x Blue Sand" + ], + "station": "Loud-Hammer", + "source_page": "Blue Sand Boots" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Blue Sand Boots" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver2x Blue Sand", + "result": "1x Blue Sand Boots", + "station": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "1x Blue Sand Boots", + "200 silver2x Blue Sand", + "Loud-Hammer" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "The Blue Sand Boots are a pair of boots made from Blue Sand. They provide excellent physical defenses, as well as Ethereal resistance, though they are quite heavy and inhibit movement and increase the stamina cost of actions." + }, + { + "name": "Blue Sand Helm", + "url": "https://outward.fandom.com/wiki/Blue_Sand_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "280", + "Damage Resist": "14% 20% 20%", + "Durability": "350", + "Impact Resist": "11%", + "Item Set": "Blue Sand Set", + "Made By": "Loud-Hammer (Cierzo)", + "Mana Cost": "10%", + "Materials": "3x Blue Sand 250", + "Movement Speed": "-4%", + "Object ID": "3100081", + "Protection": "2", + "Sell": "84", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/82/Blue_Sand_Helm.png/revision/latest?cb=20190407062859", + "recipes": [ + { + "result": "Blue Sand Helm", + "result_count": "1x", + "ingredients": [ + "250 silver", + "3x Blue Sand" + ], + "station": "Loud-Hammer", + "source_page": "Blue Sand Helm" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Blue Sand Helm" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "250 silver3x Blue Sand", + "result": "1x Blue Sand Helm", + "station": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "1x Blue Sand Helm", + "250 silver3x Blue Sand", + "Loud-Hammer" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "The Blue Sand Helm is a helmet made from Blue Sand. It provides fair defenses, and resistance to fire and cold, though it also inhibits movement speed as well as increasing the stamina cost of actions." + }, + { + "name": "Blue Sand Set", + "url": "https://outward.fandom.com/wiki/Blue_Sand_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1120", + "Damage Resist": "48% 20% 20% 20% 20% 20%", + "Durability": "1050", + "Hot Weather Def.": "-10", + "Impact Resist": "41%", + "Mana Cost": "10%", + "Movement Speed": "-14%", + "Object ID": "3100080 (Chest)3100082 (Legs)3100081 (Head)", + "Protection": "7", + "Sell": "363", + "Slot": "Set", + "Stamina Cost": "14%", + "Weight": "29.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/05/Blue_Sand_Set.png/revision/latest/scale-to-width-down/250?cb=20200221162314", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "19%", + "column_5": "3", + "column_6": "-10", + "column_7": "6%", + "column_8": "–", + "column_9": "-6%", + "durability": "350", + "name": "Blue Sand Armor", + "resistances": "20% 20% 20%", + "weight": "15.0" + }, + { + "class": "Boots", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "–", + "column_9": "-4%", + "durability": "350", + "name": "Blue Sand Boots", + "resistances": "14% 20%", + "weight": "9.0" + }, + { + "class": "Helmets", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "10%", + "column_9": "-4%", + "durability": "350", + "name": "Blue Sand Helm", + "resistances": "14% 20% 20%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Blue Sand Armor", + "20% 20% 20%", + "19%", + "3", + "-10", + "6%", + "–", + "-6%", + "350", + "15.0", + "Body Armor" + ], + [ + "", + "Blue Sand Boots", + "14% 20%", + "11%", + "2", + "–", + "4%", + "–", + "-4%", + "350", + "9.0", + "Boots" + ], + [ + "", + "Blue Sand Helm", + "14% 20% 20%", + "11%", + "2", + "–", + "4%", + "10%", + "-4%", + "350", + "5.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "19%", + "column_5": "3", + "column_6": "-10", + "column_7": "6%", + "column_8": "–", + "column_9": "-6%", + "durability": "350", + "name": "Blue Sand Armor", + "resistances": "20% 20% 20%", + "weight": "15.0" + }, + { + "class": "Boots", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "–", + "column_9": "-4%", + "durability": "350", + "name": "Blue Sand Boots", + "resistances": "14% 20%", + "weight": "9.0" + }, + { + "class": "Helmets", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "10%", + "column_9": "-4%", + "durability": "350", + "name": "Blue Sand Helm", + "resistances": "14% 20% 20%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Blue Sand Armor", + "20% 20% 20%", + "19%", + "3", + "-10", + "6%", + "–", + "-6%", + "350", + "15.0", + "Body Armor" + ], + [ + "", + "Blue Sand Boots", + "14% 20%", + "11%", + "2", + "–", + "4%", + "–", + "-4%", + "350", + "9.0", + "Boots" + ], + [ + "", + "Blue Sand Helm", + "14% 20% 20%", + "11%", + "2", + "–", + "4%", + "10%", + "-4%", + "350", + "5.0", + "Helmets" + ] + ] + } + ], + "description": "Blue Sand Set is a Set in Outward, which can be commissioned by Loud-Hammer in Cierzo." + }, + { + "name": "Blue skull effigy", + "url": "https://outward.fandom.com/wiki/Blue_skull_effigy", + "categories": [ + "Other", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "65", + "Object ID": "6200160", + "Sell": "20", + "Type": "Other", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/16/Blue_skull_effigy.png/revision/latest?cb=20190417091839", + "description": "Blue skull effigy is an item in Outward." + }, + { + "name": "Blunt Prism", + "url": "https://outward.fandom.com/wiki/Blunt_Prism", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "45", + "DLC": "The Three Brothers", + "Object ID": "6000510", + "Sell": "14", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5f/Blunt_Prism.png/revision/latest/scale-to-width-down/83?cb=20201220073833", + "recipes": [ + { + "result": "Astral Greatmace", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Blunt Prism" + }, + { + "result": "Astral Knuckles", + "result_count": "1x", + "ingredients": [ + "Blunt Prism", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Blunt Prism" + }, + { + "result": "Astral Mace", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Blunt Prism" + }, + { + "result": "Astral Pistol", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Blunt Prism" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Long HandleBlunt PrismWaning Tentacle", + "result": "1x Astral Greatmace", + "station": "None" + }, + { + "ingredients": "Blunt PrismBlunt PrismWaning Tentacle", + "result": "1x Astral Knuckles", + "station": "None" + }, + { + "ingredients": "Short HandleBlunt PrismWaning Tentacle", + "result": "1x Astral Mace", + "station": "None" + }, + { + "ingredients": "Trinket HandleBlunt PrismWaning Tentacle", + "result": "1x Astral Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Greatmace", + "Long HandleBlunt PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Knuckles", + "Blunt PrismBlunt PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Mace", + "Short HandleBlunt PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Pistol", + "Trinket HandleBlunt PrismWaning Tentacle", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "13.5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "13.5%", + "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Blunt Prism is an Item in Outward." + }, + { + "name": "Boiled Azure Shrimp", + "url": "https://outward.fandom.com/wiki/Boiled_Azure_Shrimp", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Mana Recovery 3", + "Hunger": "7.5%", + "Object ID": "4100540", + "Perish Time": "13 Days 21 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2c/Boiled_Azure_Shrimp.png/revision/latest?cb=20190410130805", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Mana Ratio Recovery (level 3)" + ], + "recipes": [ + { + "result": "Boiled Azure Shrimp", + "result_count": "1x", + "ingredients": [ + "Azure Shrimp" + ], + "station": "Campfire", + "source_page": "Boiled Azure Shrimp" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boiled Azure Shrimp" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Boiled Azure Shrimp" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Azure Shrimp", + "result": "1x Boiled Azure Shrimp", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Boiled Azure Shrimp", + "Azure Shrimp", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipes / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Boiled Azure Shrimp is a food item in Outward and is a type of Fish." + }, + { + "name": "Boiled Cactus Fruit", + "url": "https://outward.fandom.com/wiki/Boiled_Cactus_Fruit", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Stamina Recovery 1Restores 60 Stamina", + "Hunger": "10%", + "Object ID": "4100390", + "Perish Time": "8 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8a/Boiled_Cactus_Fruit.png/revision/latest?cb=20190410130253", + "effects": [ + "Restores 10% Hunger", + "Restores 60 Stamina", + "Player receives Stamina Recovery (level 1)" + ], + "recipes": [ + { + "result": "Boiled Cactus Fruit", + "result_count": "1x", + "ingredients": [ + "Cactus Fruit" + ], + "station": "Campfire", + "source_page": "Boiled Cactus Fruit" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Boiled Cactus Fruit" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boiled Cactus Fruit" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Boiled Cactus Fruit" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boiled Cactus Fruit" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Boiled Cactus Fruit" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cactus Fruit", + "result": "1x Boiled Cactus Fruit", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Boiled Cactus Fruit", + "Cactus Fruit", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Boiled Cactus Fruit is a Food item in Outward." + }, + { + "name": "Boiled Crawlberry", + "url": "https://outward.fandom.com/wiki/Boiled_Crawlberry", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "3", + "DLC": "The Soroboreans", + "Effects": "Physical Attack UpStamina Recovery 2+1% Corruption", + "Hunger": "7.5%", + "Object ID": "4100600", + "Perish Time": "8 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/14/Boiled_Crawlberry.png/revision/latest/scale-to-width-down/83?cb=20200616185305", + "effects": [ + "Restores 7.5% Hunger", + "Adds 1% Corruption", + "Player receives Physical Attack Up", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Boiled Crawlberry", + "result_count": "1x", + "ingredients": [ + "Crawlberry" + ], + "station": "Campfire", + "source_page": "Boiled Crawlberry" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Crawlberry", + "result": "1x Boiled Crawlberry", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Boiled Crawlberry", + "Crawlberry", + "Campfire" + ] + ] + } + ], + "description": "Boiled Crawlberry is an Item in Outward." + }, + { + "name": "Boiled Dreamer's Root", + "url": "https://outward.fandom.com/wiki/Boiled_Dreamer%27s_Root", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "5", + "DLC": "The Soroboreans", + "Effects": "Adds 15% FatigueCures Cold (Disease)Cold Weather Def UpHealth Recovery 1", + "Hunger": "0.6%", + "Object ID": "4100670", + "Perish Time": "9 Days, 22 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/14/Boiled_Dreamer%27s_Root.png/revision/latest/scale-to-width-down/83?cb=20200616185306", + "effects": [ + "Restores 0.6% Hunger", + "Adds 15% Fatigue", + "Removes Cold (Disease)", + "Player receives Health Recovery (level 1)", + "Player receives Cold Weather Def Up" + ], + "recipes": [ + { + "result": "Boiled Dreamer's Root", + "result_count": "1x", + "ingredients": [ + "Dreamer's Root" + ], + "station": "Campfire", + "source_page": "Boiled Dreamer's Root" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's Root", + "result": "1x Boiled Dreamer's Root", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Boiled Dreamer's Root", + "Dreamer's Root", + "Campfire" + ] + ] + } + ], + "description": "Boiled Dreamer's Root is an Item in Outward." + }, + { + "name": "Boiled Gaberries", + "url": "https://outward.fandom.com/wiki/Boiled_Gaberries", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "–", + "Effects": "Stamina Recovery 1", + "Hunger": "7.5%", + "Object ID": "4100320", + "Perish Time": "8 Days", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d8/Boiled_Gaberries.png/revision/latest?cb=20190410130310", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Stamina Recovery (level 1)" + ], + "recipes": [ + { + "result": "Boiled Gaberries", + "result_count": "1x", + "ingredients": [ + "Gaberries" + ], + "station": "Campfire", + "source_page": "Boiled Gaberries" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Boiled Gaberries" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boiled Gaberries" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Boiled Gaberries" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberries", + "result": "1x Boiled Gaberries", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Boiled Gaberries", + "Gaberries", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipes / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Boiled Gaberries is a food item in Outward." + }, + { + "name": "Boiled Miasmapod", + "url": "https://outward.fandom.com/wiki/Boiled_Miasmapod", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Restores 75 HealthPoisonedCures Infection", + "Hunger": "7.5%", + "Object ID": "4100370", + "Perish Time": "9 Days 22 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a7/Boiled_Miasmapod.png/revision/latest?cb=20190410131837", + "effects": [ + "Restores 75 Health and 7.5% Hunger", + "Player receives Poisoned", + "Removes Infection" + ], + "effect_links": [ + "/wiki/Poisoned" + ], + "recipes": [ + { + "result": "Boiled Miasmapod", + "result_count": "1x", + "ingredients": [ + "Miasmapod" + ], + "station": "Campfire", + "source_page": "Boiled Miasmapod" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Boiled Miasmapod" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boiled Miasmapod" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Boiled Miasmapod" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boiled Miasmapod" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Boiled Miasmapod" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Miasmapod", + "result": "1x Boiled Miasmapod", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Boiled Miasmapod", + "Miasmapod", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Boiled Miasmapod is a Food item in Outward, and is a type of Fish." + }, + { + "name": "Boiled Purpkin", + "url": "https://outward.fandom.com/wiki/Boiled_Purpkin", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "DLC": "The Soroboreans", + "Effects": "Impact UpStamina Recovery 4+1% Corruption", + "Hunger": "12.5%", + "Object ID": "4100610", + "Perish Time": "9 Days, 22 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/31/Boiled_Purpkin.png/revision/latest/scale-to-width-down/83?cb=20200616185307", + "effects": [ + "Restores 12.5% Hunger", + "+1% Corruption", + "Player receives Impact Up", + "Player receives Stamina Recovery (level 4)" + ], + "recipes": [ + { + "result": "Boiled Purpkin", + "result_count": "1x", + "ingredients": [ + "Purpkin" + ], + "station": "Campfire", + "source_page": "Boiled Purpkin" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purpkin", + "result": "1x Boiled Purpkin", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Boiled Purpkin", + "Purpkin", + "Campfire" + ] + ] + } + ], + "description": "Boiled Purpkin is an Item in Outward." + }, + { + "name": "Boiled Turmmip", + "url": "https://outward.fandom.com/wiki/Boiled_Turmmip", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Mana Ratio Recovery 2", + "Hunger": "12.5%", + "Object ID": "4100330", + "Perish Time": "9 Days 22 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3e/Boiled_Turmmip.png/revision/latest?cb=20190410130330", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Mana Ratio Recovery (level 2)" + ], + "recipes": [ + { + "result": "Boiled Turmmip", + "result_count": "1x", + "ingredients": [ + "Turmmip" + ], + "station": "Campfire", + "source_page": "Boiled Turmmip" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Boiled Turmmip" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boiled Turmmip" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Boiled Turmmip" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boiled Turmmip" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Boiled Turmmip" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Turmmip", + "result": "1x Boiled Turmmip", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Boiled Turmmip", + "Turmmip", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 18", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 18", + "source": "Fourth Watcher" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1 - 18", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 18", + "25.9%", + "Conflux Chambers" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Boiled Turmmip is a Food item in Outward." + }, + { + "name": "Boiled Veaber Egg", + "url": "https://outward.fandom.com/wiki/Boiled_Veaber_Egg", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "3", + "DLC": "The Soroboreans", + "Effects": "Stamina Recovery 2Mana Ratio Recovery 1", + "Hunger": "7.5%", + "Object ID": "4100660", + "Perish Time": "9 Days, 22 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/21/Boiled_Veaber_Egg.png/revision/latest/scale-to-width-down/83?cb=20200616185310", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Stamina Recovery (level 2)", + "Player receives Mana Ratio Recovery (level 1)" + ], + "recipes": [ + { + "result": "Boiled Veaber Egg", + "result_count": "1x", + "ingredients": [ + "Veaber's Egg" + ], + "station": "Campfire", + "source_page": "Boiled Veaber Egg" + }, + { + "result": "Angel Food Cake", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Boiled Veaber Egg" + }, + { + "result": "Cheese Cake", + "result_count": "3x", + "ingredients": [ + "Fresh Cream", + "Fresh Cream", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Boiled Veaber Egg" + }, + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Boiled Veaber Egg" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Boiled Veaber Egg" + }, + { + "result": "Miner's Omelet", + "result_count": "3x", + "ingredients": [ + "Egg", + "Egg", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Boiled Veaber Egg" + }, + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Boiled Veaber Egg" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Boiled Veaber Egg" + }, + { + "result": "Spiny Meringue", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Egg", + "Larva Egg" + ], + "station": "Cooking Pot", + "source_page": "Boiled Veaber Egg" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Veaber's Egg", + "result": "1x Boiled Veaber Egg", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Boiled Veaber Egg", + "Veaber's Egg", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "FlourEggSugar", + "result": "3x Angel Food Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Fresh CreamFresh CreamEggSugar", + "result": "3x Cheese Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's MeatSaltEggFlour", + "result": "1x Cipate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "EggEggCommon Mushroom", + "result": "3x Miner's Omelet", + "station": "Cooking Pot" + }, + { + "ingredients": "FlourEggSugarBoozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Cactus FruitCactus FruitEggLarva Egg", + "result": "3x Spiny Meringue", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Angel Food Cake", + "FlourEggSugar", + "Cooking Pot" + ], + [ + "3x Cheese Cake", + "Fresh CreamFresh CreamEggSugar", + "Cooking Pot" + ], + [ + "1x Cipate", + "Boozu's MeatSaltEggFlour", + "Cooking Pot" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "3x Miner's Omelet", + "EggEggCommon Mushroom", + "Cooking Pot" + ], + [ + "3x Pouding Chomeur", + "FlourEggSugarBoozu's Milk", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Spiny Meringue", + "Cactus FruitCactus FruitEggLarva Egg", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "2 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "2 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Soldier's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "2 - 4", + "5.6%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "2 - 4", + "5.6%", + "Harmattan" + ], + [ + "Knight's Corpse", + "2 - 4", + "5.6%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "2 - 4", + "5.6%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "2 - 4", + "5.6%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "2 - 4", + "5.6%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "2 - 4", + "5.6%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Boiled Veaber Egg is an Item in Outward." + }, + { + "name": "Bolt Rag", + "url": "https://outward.fandom.com/wiki/Bolt_Rag", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "15", + "Effects": "Lightning Imbue", + "Object ID": "4400030", + "Perish Time": "∞", + "Sell": "4", + "Type": "Imbues", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9d/Bolt_Rag.png/revision/latest?cb=20190416142300", + "effects": [ + "Player receives Lightning Imbue", + "Increases damage by 10% as Lightning damage", + "Grants +5 flat Lightning damage." + ], + "effect_links": [ + "/wiki/Lightning_Imbue" + ], + "recipes": [ + { + "result": "Bolt Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Larva Egg" + ], + "station": "None", + "source_page": "Bolt Rag" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "90 seconds", + "effects": "Increases damage by 10% as Lightning damageGrants +5 flat Lightning damage.", + "name": "Lightning Imbue" + } + ], + "raw_rows": [ + [ + "", + "Lightning Imbue", + "90 seconds", + "Increases damage by 10% as Lightning damageGrants +5 flat Lightning damage." + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Linen Cloth Larva Egg", + "result": "1x Bolt Rag", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Bolt Rag", + "Linen Cloth Larva Egg", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "39.4%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 9", + "source": "Pholiota/Low Stock" + }, + { + "chance": "35.9%", + "locations": "Monsoon", + "quantity": "1 - 9", + "source": "Shopkeeper Lyda" + }, + { + "chance": "35.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "34.4%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "27.1%", + "locations": "Cierzo", + "quantity": "1 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "27.1%", + "locations": "Berg", + "quantity": "1 - 4", + "source": "Vay the Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Pholiota/Low Stock", + "1 - 9", + "39.4%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Shopkeeper Lyda", + "1 - 9", + "35.9%", + "Monsoon" + ], + [ + "Felix Jimson, Shopkeeper", + "2 - 20", + "35.3%", + "Harmattan" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "34.4%", + "New Sirocco" + ], + [ + "Helmi the Alchemist", + "1 - 4", + "27.1%", + "Cierzo" + ], + [ + "Vay the Alchemist", + "1 - 4", + "27.1%", + "Berg" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "44.4%", + "quantity": "1 - 2", + "source": "Calygrey" + }, + { + "chance": "44.4%", + "quantity": "1 - 2", + "source": "Calygrey Hero" + } + ], + "raw_rows": [ + [ + "Calygrey", + "1 - 2", + "44.4%" + ], + [ + "Calygrey Hero", + "1 - 2", + "44.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 4", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 4", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ] + ] + } + ], + "description": "Bolt Rag is a Consumable item in Outward, which grants an Imbue." + }, + { + "name": "Bolt Varnish", + "url": "https://outward.fandom.com/wiki/Bolt_Varnish", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "40", + "Effects": "Greater Lightning Imbue", + "Object ID": "4400031", + "Perish Time": "∞", + "Sell": "12", + "Type": "Imbues", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c3/Bolt_Varnish.png/revision/latest?cb=20190416165141", + "effects": [ + "Player receives Greater Lightning Imbue", + "Increases damage by 10% as Lightning damage", + "Grants +15 flat Lightning damage." + ], + "effect_links": [ + "/wiki/Greater_Lightning_Imbue" + ], + "recipes": [ + { + "result": "Bolt Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Firefly Powder", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Bolt Varnish" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "180 seconds", + "effects": "Increases damage by 10% as Lightning damageGrants +15 flat Lightning damage.", + "name": "Greater Lightning Imbue" + } + ], + "raw_rows": [ + [ + "", + "Greater Lightning Imbue", + "180 seconds", + "Increases damage by 10% as Lightning damageGrants +15 flat Lightning damage." + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberry Wine Firefly Powder Mana Stone", + "result": "1x Bolt Varnish", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Bolt Varnish", + "Gaberry Wine Firefly Powder Mana Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "44.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "34.4%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "27.1%", + "locations": "Cierzo", + "quantity": "1 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "27.1%", + "locations": "Berg", + "quantity": "1 - 4", + "source": "Vay the Alchemist" + }, + { + "chance": "25%", + "locations": "Monsoon", + "quantity": "1 - 3", + "source": "Shopkeeper Lyda" + }, + { + "chance": "11.4%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "11.4%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "3", + "44.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "34.4%", + "New Sirocco" + ], + [ + "Helmi the Alchemist", + "1 - 4", + "27.1%", + "Cierzo" + ], + [ + "Vay the Alchemist", + "1 - 4", + "27.1%", + "Berg" + ], + [ + "Shopkeeper Lyda", + "1 - 3", + "25%", + "Monsoon" + ], + [ + "Gold Belly", + "1", + "11.4%", + "Giants' Village" + ], + [ + "Silver-Nose the Trader", + "1", + "11.4%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "33.3%", + "quantity": "1", + "source": "Elder Calygrey" + }, + { + "chance": "30.8%", + "quantity": "1", + "source": "Guardian of the Compass" + }, + { + "chance": "30.8%", + "quantity": "1", + "source": "Lightning Dancer" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Golden Matriarch" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Golden Specter (Cannon)" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Golden Specter (Melee)" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Ghost (Red)" + }, + { + "chance": "11.1%", + "quantity": "1", + "source": "Calygrey" + }, + { + "chance": "11.1%", + "quantity": "1", + "source": "Calygrey Hero" + } + ], + "raw_rows": [ + [ + "Elder Calygrey", + "1", + "33.3%" + ], + [ + "Guardian of the Compass", + "1", + "30.8%" + ], + [ + "Lightning Dancer", + "1", + "30.8%" + ], + [ + "Golden Matriarch", + "1", + "25%" + ], + [ + "Golden Specter (Cannon)", + "1", + "25%" + ], + [ + "Golden Specter (Melee)", + "1", + "25%" + ], + [ + "Ghost (Red)", + "1", + "14.3%" + ], + [ + "Calygrey", + "1", + "11.1%" + ], + [ + "Calygrey Hero", + "1", + "11.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Bolt Varnish is a Consumable item in Outward, which grants an Imbue." + }, + { + "name": "Bomb Kit", + "url": "https://outward.fandom.com/wiki/Bomb_Kit", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "8", + "DLC": "The Three Brothers", + "Object ID": "4400090", + "Sell": "3", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/50/Bomb_Kit.png/revision/latest/scale-to-width-down/83?cb=20201220073834", + "recipes": [ + { + "result": "Blazing Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Obsidian Shard", + "Oil Bomb" + ], + "station": "Alchemy Kit", + "source_page": "Bomb Kit" + }, + { + "result": "Flaming Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Boreo Blubber", + "Charge – Incendiary" + ], + "station": "Alchemy Kit", + "source_page": "Bomb Kit" + }, + { + "result": "Frost Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Chalcedony", + "Sulphuric Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Bomb Kit" + }, + { + "result": "Nerve Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Ambraine", + "Charge – Nerve Gas" + ], + "station": "Alchemy Kit", + "source_page": "Bomb Kit" + }, + { + "result": "Spark Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Calygrey Hairs", + "Sulphuric Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Bomb Kit" + }, + { + "result": "Toxin Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Miasmapod", + "Charge – Toxic" + ], + "station": "Alchemy Kit", + "source_page": "Bomb Kit" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb KitObsidian ShardOil Bomb", + "result": "1x Blazing Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Bomb KitBoreo BlubberCharge – Incendiary", + "result": "1x Flaming Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Bomb KitChalcedonySulphuric Mushroom", + "result": "1x Frost Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Bomb KitAmbraineCharge – Nerve Gas", + "result": "1x Nerve Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Bomb KitCalygrey HairsSulphuric Mushroom", + "result": "1x Spark Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Bomb KitMiasmapodCharge – Toxic", + "result": "1x Toxin Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Blazing Bomb", + "Bomb KitObsidian ShardOil Bomb", + "Alchemy Kit" + ], + [ + "1x Flaming Bomb", + "Bomb KitBoreo BlubberCharge – Incendiary", + "Alchemy Kit" + ], + [ + "1x Frost Bomb", + "Bomb KitChalcedonySulphuric Mushroom", + "Alchemy Kit" + ], + [ + "1x Nerve Bomb", + "Bomb KitAmbraineCharge – Nerve Gas", + "Alchemy Kit" + ], + [ + "1x Spark Bomb", + "Bomb KitCalygrey HairsSulphuric Mushroom", + "Alchemy Kit" + ], + [ + "1x Toxin Bomb", + "Bomb KitMiasmapodCharge – Toxic", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "12 - 20", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "12 - 20", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Bomb Kit is an Item in Outward, used to craft Bombs." + }, + { + "name": "Bone Pistol", + "url": "https://outward.fandom.com/wiki/Bone_Pistol", + "categories": [ + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "100", + "Class": "Pistols", + "Damage": "32 32", + "Durability": "150", + "Effects": "Haunted", + "Impact": "50", + "Object ID": "5110140", + "Sell": "30", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6f/Bone_Pistol.png/revision/latest?cb=20190406064540", + "effects": [ + "Inflicts Haunted (100% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Bone Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Occult Remains", + "Occult Remains", + "Crystal Powder" + ], + "station": "None", + "source_page": "Bone Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Flintlock Pistol Occult Remains Occult Remains Crystal Powder", + "result": "1x Bone Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Bone Pistol", + "Flintlock Pistol Occult Remains Occult Remains Crystal Powder", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Bone Pistol is one of the Pistols in Outward. It uses Bullets as ammunition, and can be used by activating the Fire and Reload skill." + }, + { + "name": "Boozu Hide Backpack", + "url": "https://outward.fandom.com/wiki/Boozu_Hide_Backpack", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "100", + "Capacity": "75", + "Class": "Backpacks", + "Corruption Resist": "10%", + "DLC": "The Soroboreans", + "Durability": "∞", + "Effects": "No dodge interference", + "Inventory Protection": "2", + "Object ID": "5300190", + "Sell": "30", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2e/Boozu_Hide_Backpack.png/revision/latest/scale-to-width-down/83?cb=20200616185312", + "recipes": [ + { + "result": "Boozu Hide Backpack", + "result_count": "1x", + "ingredients": [ + "Scaled Satchel", + "Boozu's Hide", + "Boozu's Hide", + "Boozu's Hide" + ], + "station": "None", + "source_page": "Boozu Hide Backpack" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Scaled Satchel Boozu's Hide Boozu's Hide Boozu's Hide", + "result": "1x Boozu Hide Backpack", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Boozu Hide Backpack", + "Scaled Satchel Boozu's Hide Boozu's Hide Boozu's Hide", + "None" + ] + ] + } + ], + "description": "Boozu Hide Backpack is a type of Backpack in Outward." + }, + { + "name": "Boozu's Hide", + "url": "https://outward.fandom.com/wiki/Boozu%27s_Hide", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "17", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6600021", + "Sell": "6", + "Weight": "0.8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/02/Boozu%27s_Hide.png/revision/latest/scale-to-width-down/83?cb=20200616185313", + "recipes": [ + { + "result": "Arcane Dampener", + "result_count": "1x", + "ingredients": [ + "Dreamer's Root", + "Crystal Powder", + "Boozu's Hide" + ], + "station": "None", + "source_page": "Boozu's Hide" + }, + { + "result": "Boozu Hide Backpack", + "result_count": "1x", + "ingredients": [ + "Scaled Satchel", + "Boozu's Hide", + "Boozu's Hide", + "Boozu's Hide" + ], + "station": "None", + "source_page": "Boozu's Hide" + }, + { + "result": "Quartz Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Boozu's Hide", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Boozu's Hide" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's RootCrystal PowderBoozu's Hide", + "result": "1x Arcane Dampener", + "station": "None" + }, + { + "ingredients": "Scaled SatchelBoozu's HideBoozu's HideBoozu's Hide", + "result": "1x Boozu Hide Backpack", + "station": "None" + }, + { + "ingredients": "WaterBoozu's HideDreamer's Root", + "result": "3x Quartz Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Arcane Dampener", + "Dreamer's RootCrystal PowderBoozu's Hide", + "None" + ], + [ + "1x Boozu Hide Backpack", + "Scaled SatchelBoozu's HideBoozu's HideBoozu's Hide", + "None" + ], + [ + "3x Quartz Potion", + "WaterBoozu's HideDreamer's Root", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "50%", + "quantity": "1 - 2", + "source": "Boozu" + } + ], + "raw_rows": [ + [ + "Boozu", + "1 - 2", + "50%" + ] + ] + } + ], + "description": "Boozu's Hide is an Item in Outward." + }, + { + "name": "Boozu's Meat", + "url": "https://outward.fandom.com/wiki/Boozu%27s_Meat", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Soroboreans", + "Effects": "Health Recovery 2Corruption Resistance 1Indigestion (100% chance)", + "Hunger": "17.5%", + "Object ID": "4000310", + "Perish Time": "4 Days", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f3/Boozu%27s_Meat.png/revision/latest/scale-to-width-down/83?cb=20200616185315", + "effects": [ + "Restores 17.5% Hunger", + "Player receives Health Recovery (level 2)", + "Player receives Corruption Resistance (level 1)", + "Player receives Indigestion (100% chance)" + ], + "recipes": [ + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Boozu's Meat" + }, + { + "result": "Cooked Boozu's Meat", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat" + ], + "station": "Campfire", + "source_page": "Boozu's Meat" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boozu's Meat" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boozu's Meat" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Boozu's Meat" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boozu's Meat" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Boozu's Meat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Boozu's MeatSaltEggFlour", + "result": "1x Cipate", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's Meat", + "result": "1x Cooked Boozu's Meat", + "station": "Campfire" + }, + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Cipate", + "Boozu's MeatSaltEggFlour", + "Cooking Pot" + ], + [ + "1x Cooked Boozu's Meat", + "Boozu's Meat", + "Campfire" + ], + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Pelletier Baker, Chef", + "2 - 3", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Boozu" + } + ], + "raw_rows": [ + [ + "Boozu", + "2 - 3", + "100%" + ] + ] + } + ], + "description": "Boozu's Meat is an Item in Outward." + }, + { + "name": "Boozu's Milk", + "url": "https://outward.fandom.com/wiki/Boozu%27s_Milk", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Soroboreans", + "Drink": "7%", + "Effects": "Health Recovery 2Corruption Resistance 1", + "Hunger": "7.5%", + "Object ID": "4000380", + "Perish Time": "6 Days", + "Sell": "5", + "Type": "Food", + "Weight": "0.8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/26/Boozu%27s_Milk.png/revision/latest/scale-to-width-down/83?cb=20200616185316", + "effects": [ + "Restores 7.5% Hunger", + "Restores 7% Drink", + "Player receives Health Recovery (level 2)", + "Player receives Corruption Resistance (level 1)" + ], + "recipes": [ + { + "result": "Fresh Cream", + "result_count": "3x", + "ingredients": [ + "Boozu's Milk", + "Boozu's Milk", + "Boozu's Milk", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Boozu's Milk" + }, + { + "result": "Innocence Potion", + "result_count": "3x", + "ingredients": [ + "Thick Oil", + "Purifying Quartz", + "Dark Stone", + "Boozu's Milk" + ], + "station": "Alchemy Kit", + "source_page": "Boozu's Milk" + }, + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Boozu's Milk" + }, + { + "result": "Warm Boozu's Milk", + "result_count": "1x", + "ingredients": [ + "Boozu's Milk" + ], + "station": "Campfire", + "source_page": "Boozu's Milk" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Boozu's MilkBoozu's MilkBoozu's MilkBoozu's Milk", + "result": "3x Fresh Cream", + "station": "Cooking Pot" + }, + { + "ingredients": "Thick OilPurifying QuartzDark StoneBoozu's Milk", + "result": "3x Innocence Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "FlourEggSugarBoozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's Milk", + "result": "1x Warm Boozu's Milk", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "3x Fresh Cream", + "Boozu's MilkBoozu's MilkBoozu's MilkBoozu's Milk", + "Cooking Pot" + ], + [ + "3x Innocence Potion", + "Thick OilPurifying QuartzDark StoneBoozu's Milk", + "Alchemy Kit" + ], + [ + "3x Pouding Chomeur", + "FlourEggSugarBoozu's Milk", + "Cooking Pot" + ], + [ + "1x Warm Boozu's Milk", + "Boozu's Milk", + "Campfire" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "35.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "21.3%", + "locations": "Harmattan", + "quantity": "3", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Pelletier Baker, Chef", + "3 - 5", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "3", + "35.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pelletier Baker, Chef", + "3", + "21.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 3", + "source": "Looter's Corpse" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 3", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 3", + "source": "Soldier's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "5.6%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 3", + "5.6%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 3", + "5.6%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 3", + "5.6%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 3", + "5.6%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 3", + "5.6%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 3", + "5.6%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Boozu's Milk is an Item in Outward." + }, + { + "name": "Boreo Blubber", + "url": "https://outward.fandom.com/wiki/Boreo_Blubber", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "5", + "DLC": "The Three Brothers", + "Drink": "1%", + "Effects": "Health Recovery 1Protection (Effect) 1Indigestion (50% chance)", + "Hunger": "9%", + "Object ID": "4000500", + "Perish Time": "4 Days", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f6/Boreo_Blubber.png/revision/latest/scale-to-width-down/83?cb=20201220073835", + "effects": [ + "Restores 9% Hunger", + "Player receives Health Recovery (level 2)", + "Player receives Protection (Effect) (level 1)", + "Player receives Indigestion (50% chance)" + ], + "effect_links": [ + "/wiki/Protection_(Effect)" + ], + "recipes": [ + { + "result": "Flaming Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Boreo Blubber", + "Charge – Incendiary" + ], + "station": "Alchemy Kit", + "source_page": "Boreo Blubber" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb KitBoreo BlubberCharge – Incendiary", + "result": "1x Flaming Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Flaming Bomb", + "Bomb KitBoreo BlubberCharge – Incendiary", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "4 - 48", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "4 - 48", + "43.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Boreo" + } + ], + "raw_rows": [ + [ + "Boreo", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Boreo Blubber is an Item in Outward." + }, + { + "name": "Boreo Tusk", + "url": "https://outward.fandom.com/wiki/Boreo_Tusk", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "120", + "DLC": "The Three Brothers", + "Object ID": "6005340", + "Sell": "36", + "Type": "Ingredient", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4b/Boreo_Tusk.png/revision/latest/scale-to-width-down/83?cb=20201220073836", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "75%", + "quantity": "1", + "source": "Boreo" + } + ], + "raw_rows": [ + [ + "Boreo", + "1", + "75%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Boreo Tusk is an Item in Outward." + }, + { + "name": "Bouillon du Predateur", + "url": "https://outward.fandom.com/wiki/Bouillon_du_Predateur", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Stamina Recovery 4Physical Attack Up", + "Hunger": "25%", + "Object ID": "4100580", + "Perish Time": "21 Days 22 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/97/Bouillon_du_Predateur.png/revision/latest?cb=20190410233109", + "effects": [ + "Restores 25% Hunger", + "Player receives Physical Attack Up", + "Player receives Stamina Recovery (level 4)" + ], + "recipes": [ + { + "result": "Bouillon du Predateur", + "result_count": "3x", + "ingredients": [ + "Predator Bones", + "Predator Bones", + "Predator Bones", + "Water" + ], + "station": "Cooking Pot", + "source_page": "Bouillon du Predateur" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Predator Bones Predator Bones Predator Bones Water", + "result": "3x Bouillon du Predateur", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Bouillon du Predateur", + "Predator Bones Predator Bones Predator Bones Water", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Bouillon du Predateur (fr. Predator's Broth) is a dish in Outward." + }, + { + "name": "Bracing Potion", + "url": "https://outward.fandom.com/wiki/Bracing_Potion", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "50", + "DLC": "The Three Brothers", + "Drink": "5%", + "Effects": "Status Build up Resistance Up", + "Object ID": "4300390", + "Perish Time": "∞", + "Sell": "15", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/32/Bracing_Potion.png/revision/latest/scale-to-width-down/83?cb=20201220074119", + "effects": [ + "Restores 5% Thirst", + "Player receives Status Build up Resistance Up" + ], + "recipes": [ + { + "result": "Bracing Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Bracing Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Ableroot Ableroot Peach Seeds", + "result": "1x Bracing Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Bracing Potion", + "Water Ableroot Ableroot Peach Seeds", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 40", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "2 - 3", + "100%", + "New Sirocco" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 40", + "50.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "10%", + "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "10%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "10%", + "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Bracing Potion is an Item in Outward." + }, + { + "name": "Brand", + "url": "https://outward.fandom.com/wiki/Brand", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Swords", + "Damage": "20 20", + "Durability": "425", + "Effects": "Chill Pain", + "Impact": "27", + "Object ID": "2000150", + "Sell": "600", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/62/Brand.png/revision/latest?cb=20190407063823", + "effects": [ + "Inflicts Pain (45% buildup)", + "Inflicts Chill (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup", + "/wiki/Chill" + ], + "recipes": [ + { + "result": "Brand", + "result_count": "1x", + "ingredients": [ + "Strange Rusted Sword", + "Chemist's Broken Flask", + "Mage's Poking Stick", + "Blacksmith's Vintage Hammer" + ], + "station": "None", + "source_page": "Brand" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.9", + "damage": "20 20", + "description": "Two slash attacks, left to right", + "impact": "27", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.88", + "damage": "29.9 29.9", + "description": "Forward-thrusting strike", + "impact": "35.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "25.3 25.3", + "description": "Heavy left-lunging strike", + "impact": "29.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "25.3 25.3", + "description": "Heavy right-lunging strike", + "impact": "29.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "20 20", + "27", + "4.9", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "29.9 29.9", + "35.1", + "5.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "25.3 25.3", + "29.7", + "5.39", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "25.3 25.3", + "29.7", + "5.39", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Strange Rusted Sword Chemist's Broken Flask Mage's Poking Stick Blacksmith's Vintage Hammer", + "result": "1x Brand", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Brand", + "Strange Rusted Sword Chemist's Broken Flask Mage's Poking Stick Blacksmith's Vintage Hammer", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Brand is a unique one-handed sword in Outward." + }, + { + "name": "Brass-Wolf Backpack", + "url": "https://outward.fandom.com/wiki/Brass-Wolf_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "200", + "Capacity": "75", + "Class": "Backpacks", + "Durability": "∞", + "Inventory Protection": "15", + "Object ID": "5300070", + "Protection": "2", + "Sell": "60", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7b/Brass-Wolf_Backpack.png/revision/latest?cb=20190411000221", + "effects": [ + "Provides 15 Protection to the Durability of items in the backpack when hit by enemies", + "Provides 2 Protection, much like plate armor." + ], + "effect_links": [ + "/wiki/Protection" + ], + "description": "The Brass-Wolf Backpack is a unique type of backpack in Outward. It has a maximum capacity of 75.0 weight, and allows players to wear a lantern." + }, + { + "name": "Bread", + "url": "https://outward.fandom.com/wiki/Bread", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "1", + "Effects": "—", + "Hunger": "10%", + "Object ID": "4100170", + "Perish Time": "6 Days", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e1/Bread.png/revision/latest?cb=20190410140908", + "effects": [ + "Restores 10% Hunger" + ], + "recipes": [ + { + "result": "Bread", + "result_count": "3x", + "ingredients": [ + "Flour", + "Clean Water", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Bread" + }, + { + "result": "Alpha Sandwich", + "result_count": "3x", + "ingredients": [ + "Raw Alpha Meat", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Bread" + }, + { + "result": "Bread Of The Wild", + "result_count": "3x", + "ingredients": [ + "Smoke Root", + "Raw Alpha Meat", + "Woolshroom", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Bread" + }, + { + "result": "Cactus Pie", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Bread" + }, + { + "result": "Crawlberry Tartine", + "result_count": "3x", + "ingredients": [ + "Bread", + "Crawlberry Jam" + ], + "station": "Cooking Pot", + "source_page": "Bread" + }, + { + "result": "Gaberry Tartine", + "result_count": "3x", + "ingredients": [ + "Bread", + "Gaberry Jam" + ], + "station": "Cooking Pot", + "source_page": "Bread" + }, + { + "result": "Golden Tartine", + "result_count": "3x", + "ingredients": [ + "Golden Jam", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Bread" + }, + { + "result": "Rainbow Tartine", + "result_count": "3x", + "ingredients": [ + "Cool Rainbow Jam", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Bread" + }, + { + "result": "Toast", + "result_count": "1x", + "ingredients": [ + "Bread" + ], + "station": "Campfire", + "source_page": "Bread" + }, + { + "result": "Torcrab Sandwich", + "result_count": "3x", + "ingredients": [ + "Salt", + "Bread", + "Raw Torcrab Meat", + "Raw Torcrab Meat" + ], + "station": "Cooking Pot", + "source_page": "Bread" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Bread" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Bread" + }, + { + "result": "Vagabond's Tartine", + "result_count": "3x", + "ingredients": [ + "Vagabond's Gelatin", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Bread" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Flour Clean Water Salt", + "result": "3x Bread", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Bread", + "Flour Clean Water Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Alpha MeatBread", + "result": "3x Alpha Sandwich", + "station": "Cooking Pot" + }, + { + "ingredients": "Smoke RootRaw Alpha MeatWoolshroomBread", + "result": "3x Bread Of The Wild", + "station": "Cooking Pot" + }, + { + "ingredients": "Cactus FruitCactus FruitBread", + "result": "3x Cactus Pie", + "station": "Cooking Pot" + }, + { + "ingredients": "BreadCrawlberry Jam", + "result": "3x Crawlberry Tartine", + "station": "Cooking Pot" + }, + { + "ingredients": "BreadGaberry Jam", + "result": "3x Gaberry Tartine", + "station": "Cooking Pot" + }, + { + "ingredients": "Golden JamBread", + "result": "3x Golden Tartine", + "station": "Cooking Pot" + }, + { + "ingredients": "Cool Rainbow JamBread", + "result": "3x Rainbow Tartine", + "station": "Cooking Pot" + }, + { + "ingredients": "Bread", + "result": "1x Toast", + "station": "Campfire" + }, + { + "ingredients": "SaltBreadRaw Torcrab MeatRaw Torcrab Meat", + "result": "3x Torcrab Sandwich", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + }, + { + "ingredients": "Vagabond's GelatinBread", + "result": "3x Vagabond's Tartine", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Alpha Sandwich", + "Raw Alpha MeatBread", + "Cooking Pot" + ], + [ + "3x Bread Of The Wild", + "Smoke RootRaw Alpha MeatWoolshroomBread", + "Cooking Pot" + ], + [ + "3x Cactus Pie", + "Cactus FruitCactus FruitBread", + "Cooking Pot" + ], + [ + "3x Crawlberry Tartine", + "BreadCrawlberry Jam", + "Cooking Pot" + ], + [ + "3x Gaberry Tartine", + "BreadGaberry Jam", + "Cooking Pot" + ], + [ + "3x Golden Tartine", + "Golden JamBread", + "Cooking Pot" + ], + [ + "3x Rainbow Tartine", + "Cool Rainbow JamBread", + "Cooking Pot" + ], + [ + "1x Toast", + "Bread", + "Campfire" + ], + [ + "3x Torcrab Sandwich", + "SaltBreadRaw Torcrab MeatRaw Torcrab Meat", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ], + [ + "3x Vagabond's Tartine", + "Vagabond's GelatinBread", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "3 - 5", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 8", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "7", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "7", + "source": "Chef Tenno" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "6", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "8", + "source": "Master-Chef Arago" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "8", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "4 - 8", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Apprentice Ritualist", + "3 - 5", + "100%", + "Ritualist's hut" + ], + [ + "Brad Aberdeen, Chef", + "2 - 8", + "100%", + "New Sirocco" + ], + [ + "Chef Iasu", + "7", + "100%", + "Berg" + ], + [ + "Chef Tenno", + "7", + "100%", + "Levant" + ], + [ + "Ibolya Battleborn, Chef", + "6", + "100%", + "Harmattan" + ], + [ + "Master-Chef Arago", + "8", + "100%", + "Cierzo" + ], + [ + "Ountz the Melon Farmer", + "8", + "100%", + "Monsoon" + ], + [ + "Pelletier Baker, Chef", + "4 - 8", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "29.2%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "28.6%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "25%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant" + }, + { + "chance": "24.5%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "23.3%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "18.2%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Bandit" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Bandit Slave" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Baron Montgomery" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Crock" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Dawne" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Rospa Akiyuki" + } + ], + "raw_rows": [ + [ + "Kazite Archer", + "1 - 4", + "29.2%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "28.6%" + ], + [ + "Kazite Lieutenant", + "1 - 3", + "25%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "24.5%" + ], + [ + "Marsh Archer", + "1 - 4", + "23.3%" + ], + [ + "Bandit Defender", + "1 - 3", + "19.1%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "19.1%" + ], + [ + "Roland Argenson", + "1 - 3", + "19.1%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "18.2%" + ], + [ + "Bandit", + "1 - 2", + "17.8%" + ], + [ + "Bandit Slave", + "1 - 2", + "17.8%" + ], + [ + "Baron Montgomery", + "1 - 2", + "17.8%" + ], + [ + "Crock", + "1 - 2", + "17.8%" + ], + [ + "Dawne", + "1 - 2", + "17.8%" + ], + [ + "Rospa Akiyuki", + "1 - 2", + "17.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1 - 2", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1 - 2", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1 - 2", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1 - 2", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1 - 2", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1 - 2", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Bread is a food item in Outward." + }, + { + "name": "Bread Of The Wild", + "url": "https://outward.fandom.com/wiki/Bread_Of_The_Wild", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Health Recovery 5Stealth UpWarm", + "Hunger": "22.5%", + "Object ID": "4100500", + "Perish Time": "19 Days 20 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4e/Bread_Of_The_Wild.png/revision/latest?cb=20190410133415", + "effects": [ + "Restores 22.5% Hunger", + "Player receives Warm", + "Player receives Stealth Up", + "Player receives Health Recovery (level 5)" + ], + "effect_links": [ + "/wiki/Warm" + ], + "recipes": [ + { + "result": "Bread Of The Wild", + "result_count": "3x", + "ingredients": [ + "Smoke Root", + "Raw Alpha Meat", + "Woolshroom", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Bread Of The Wild" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Bread Of The Wild" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Bread Of The Wild" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Smoke Root Raw Alpha Meat Woolshroom Bread", + "result": "3x Bread Of The Wild", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Bread Of The Wild", + "Smoke Root Raw Alpha Meat Woolshroom Bread", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "2", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "42.2%", + "quantity": "1 - 5", + "source": "The Last Acolyte" + }, + { + "chance": "42%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "40.8%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + }, + { + "chance": "38.1%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "38.1%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + }, + { + "chance": "38.1%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + }, + { + "chance": "37.3%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "36%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "31.9%", + "quantity": "1 - 4", + "source": "Bonded Beastmaster" + } + ], + "raw_rows": [ + [ + "The Last Acolyte", + "1 - 5", + "42.2%" + ], + [ + "Marsh Captain", + "1 - 4", + "42%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "40.8%" + ], + [ + "Bandit Captain", + "1 - 4", + "38.1%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "38.1%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "38.1%" + ], + [ + "Kazite Admiral", + "1 - 5", + "37.3%" + ], + [ + "Desert Captain", + "1 - 5", + "36%" + ], + [ + "Bonded Beastmaster", + "1 - 4", + "31.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "18.2%", + "locations": "Old Hunter's Cabin", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "18.2%", + "locations": "Berg", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "18.2%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "18.2%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "18.2%", + "locations": "Cabal of Wind Temple, Face of the Ancients", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "18.2%", + "Old Hunter's Cabin" + ], + [ + "Junk Pile", + "1", + "18.2%", + "Berg" + ], + [ + "Knight's Corpse", + "1", + "18.2%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Stash", + "1", + "18.2%", + "Berg" + ], + [ + "Worker's Corpse", + "1", + "18.2%", + "Cabal of Wind Temple, Face of the Ancients" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Bread Of The Wild is a dish in Outward." + }, + { + "name": "Brigand Coat", + "url": "https://outward.fandom.com/wiki/Brigand_Coat", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "112", + "Cold Weather Def.": "6", + "Damage Resist": "15%", + "Durability": "165", + "Impact Resist": "7%", + "Item Set": "Brigand Set", + "Object ID": "3000035", + "Pouch Bonus": "3", + "Sell": "37", + "Slot": "Chest", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/54/Brigand_Coat.png/revision/latest?cb=20190415112432", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "2x", + "ingredients": [ + "Decraft: Cloth (Large)" + ], + "station": "Decrafting", + "source_page": "Brigand Coat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Large)", + "result": "2x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Linen Cloth", + "Decraft: Cloth (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "32.7%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1 - 4", + "32.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "40%", + "quantity": "1", + "source": "Accursed Wendigo" + }, + { + "chance": "8.7%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + } + ], + "raw_rows": [ + [ + "Accursed Wendigo", + "1", + "40%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "8.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Dolmen Crypt", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Dolmen Crypt" + ], + [ + "Chest", + "1", + "5.9%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Ancestor's Resting Place" + ], + [ + "Stash", + "1", + "5.9%", + "Berg" + ] + ] + } + ], + "description": "Brigand Coat is a type of Armor in Outward." + }, + { + "name": "Brigand Set", + "url": "https://outward.fandom.com/wiki/Brigand_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "174", + "Cold Weather Def.": "9", + "Damage Resist": "25%", + "Durability": "330", + "Impact Resist": "12%", + "Object ID": "3000035 (Chest)3000036 (Head)", + "Pouch Bonus": "3", + "Sell": "56", + "Slot": "Set", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c9/Brigand_set.png/revision/latest/scale-to-width-down/195?cb=20190423172416", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "7%", + "column_5": "6", + "durability": "165", + "name": "Brigand Coat", + "pouch_bonus": "3", + "resistances": "15%", + "weight": "10.0" + }, + { + "class": "Helmets", + "column_4": "5%", + "column_5": "3", + "durability": "165", + "name": "Brigand's Hat", + "pouch_bonus": "–", + "resistances": "10%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Brigand Coat", + "15%", + "7%", + "6", + "3", + "165", + "10.0", + "Body Armor" + ], + [ + "", + "Brigand's Hat", + "10%", + "5%", + "3", + "–", + "165", + "5.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "7%", + "column_5": "6", + "durability": "165", + "name": "Brigand Coat", + "pouch_bonus": "3", + "resistances": "15%", + "weight": "10.0" + }, + { + "class": "Helmets", + "column_4": "5%", + "column_5": "3", + "durability": "165", + "name": "Brigand's Hat", + "pouch_bonus": "–", + "resistances": "10%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Brigand Coat", + "15%", + "7%", + "6", + "3", + "165", + "10.0", + "Body Armor" + ], + [ + "", + "Brigand's Hat", + "10%", + "5%", + "3", + "–", + "165", + "5.0", + "Helmets" + ] + ] + } + ], + "description": "Brigand Set is a Set in Outward." + }, + { + "name": "Brigand's Backpack", + "url": "https://outward.fandom.com/wiki/Brigand%27s_Backpack", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "350", + "Capacity": "70", + "Class": "Backpacks", + "DLC": "The Three Brothers", + "Damage Bonus": "15%", + "Durability": "∞", + "Effects": "No dodge interferenceCannot attach lanterns", + "Inventory Protection": "2", + "Object ID": "5380005", + "Sell": "105", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d4/Brigand%27s_Backpack.png/revision/latest/scale-to-width-down/83?cb=20201220073845", + "effects": [ + "+15% Physical Damage Bonus", + "Unrestricted Dodge", + "Not able to attach lanterns." + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Patrick Arago, General Store", + "1", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Brigand's Backpack is a type of Equipment in Outward." + }, + { + "name": "Brigand's Hat", + "url": "https://outward.fandom.com/wiki/Brigand%27s_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "62", + "Cold Weather Def.": "3", + "Damage Resist": "10%", + "Durability": "165", + "Impact Resist": "5%", + "Item Set": "Brigand Set", + "Object ID": "3000036", + "Sell": "19", + "Slot": "Head", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b6/Brigand%27s_Hat.png/revision/latest?cb=20190407193822", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Brigand's Hat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1 - 4", + "10.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "60%", + "quantity": "1", + "source": "Accursed Wendigo" + } + ], + "raw_rows": [ + [ + "Accursed Wendigo", + "1", + "60%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Dolmen Crypt", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Dolmen Crypt" + ], + [ + "Chest", + "1", + "5.9%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Ancestor's Resting Place" + ], + [ + "Stash", + "1", + "5.9%", + "Berg" + ] + ] + } + ], + "description": "Brigand's Hat is a type of Armor in Outward." + }, + { + "name": "Bright Nobleman Attire", + "url": "https://outward.fandom.com/wiki/Bright_Nobleman_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "87", + "Damage Resist": "3%", + "Durability": "165", + "Hot Weather Def.": "14", + "Impact Resist": "4%", + "Item Set": "Nobleman Set", + "Object ID": "3000110", + "Sell": "28", + "Slot": "Chest", + "Stamina Cost": "-10%", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4e/Bright_Nobleman_Attire.png/revision/latest?cb=20190415112536", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "2x", + "ingredients": [ + "Decraft: Cloth (Large)" + ], + "station": "Decrafting", + "source_page": "Bright Nobleman Attire" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Large)", + "result": "2x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Linen Cloth", + "Decraft: Cloth (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + }, + { + "chance": "14.2%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "14.2%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.2%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "6.2%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "6.2%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "6.2%", + "Forgotten Research Laboratory" + ], + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Bright Nobleman Attire is a type of Armor in Outward." + }, + { + "name": "Bright Nobleman Boots", + "url": "https://outward.fandom.com/wiki/Bright_Nobleman_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "50", + "Damage Resist": "2%", + "Durability": "165", + "Hot Weather Def.": "7", + "Impact Resist": "3%", + "Item Set": "Nobleman Set", + "Object ID": "3000116", + "Sell": "16", + "Slot": "Legs", + "Stamina Cost": "-5%", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2e/Bright_Nobleman_Boots.png/revision/latest?cb=20190415151701", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Bright Nobleman Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.2%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "6.2%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "6.2%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "6.2%", + "Forgotten Research Laboratory" + ], + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Bright Nobleman Boots is a type of Armor in Outward." + }, + { + "name": "Bright Nobleman Hat", + "url": "https://outward.fandom.com/wiki/Bright_Nobleman_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "50", + "Damage Resist": "2%", + "Durability": "165", + "Hot Weather Def.": "7", + "Impact Resist": "3%", + "Item Set": "Nobleman Set", + "Object ID": "3000113", + "Sell": "15", + "Slot": "Head", + "Stamina Cost": "-5%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/51/Bright_Nobleman_Hat.png/revision/latest?cb=20190407193929", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Bright Nobleman Hat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.2%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "6.2%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "6.2%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "6.2%", + "Forgotten Research Laboratory" + ], + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Bright Nobleman Hat is a type of Armor in Outward." + }, + { + "name": "Bright Rich Attire", + "url": "https://outward.fandom.com/wiki/Bright_Rich_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "87", + "Damage Resist": "3%", + "Durability": "165", + "Hot Weather Def.": "14", + "Impact Resist": "4%", + "Item Set": "Rich Set", + "Object ID": "3000120", + "Sell": "28", + "Slot": "Chest", + "Stamina Cost": "-10%", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/67/Bright_Rich_Attire.png/revision/latest?cb=20190415112952", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "2x", + "ingredients": [ + "Decraft: Cloth (Large)" + ], + "station": "Decrafting", + "source_page": "Bright Rich Attire" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Large)", + "result": "2x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Linen Cloth", + "Decraft: Cloth (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + }, + { + "chance": "14.2%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "14.2%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.2%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "6.2%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "6.2%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "6.2%", + "Forgotten Research Laboratory" + ], + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Bright Rich Attire is a type of Armor in Outward." + }, + { + "name": "Bright Rich Hat", + "url": "https://outward.fandom.com/wiki/Bright_Rich_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "50", + "Damage Resist": "2%", + "Durability": "165", + "Hot Weather Def.": "7", + "Impact Resist": "3%", + "Item Set": "Rich Set", + "Object ID": "3000122", + "Sell": "15", + "Slot": "Head", + "Stamina Cost": "-5%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d8/Bright_Rich_Hat.png/revision/latest?cb=20190407193943", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Bright Rich Hat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.2%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "6.2%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "6.2%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "6.2%", + "Forgotten Research Laboratory" + ], + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Bright Rich Hat is a type of Armor in Outward." + }, + { + "name": "Broad Dagger", + "url": "https://outward.fandom.com/wiki/Broad_Dagger", + "categories": [ + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Daggers", + "Damage": "25", + "Durability": "225", + "Effects": "Bleeding", + "Impact": "32", + "Object ID": "5110001", + "Sell": "60", + "Type": "Off-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/22/Broad_Dagger.png/revision/latest?cb=20190406064257", + "effects": [ + "Inflicts Bleeding (66% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Broad Dagger" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Iron Sides" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Ogoi, Kazite Assassin" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Iron Sides", + "1", + "100%", + "Giants' Village" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Ogoi, Kazite Assassin", + "1", + "100%", + "Berg" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Dawne" + } + ], + "raw_rows": [ + [ + "Dawne", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.6%", + "locations": "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ], + [ + "Chest", + "1", + "5.6%", + "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.6%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Broad Dagger is a dagger in Outward." + }, + { + "name": "Broken Golem Rapier", + "url": "https://outward.fandom.com/wiki/Broken_Golem_Rapier", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Swords", + "Damage": "19", + "Durability": "75", + "Impact": "15", + "Object ID": "2100061", + "Sell": "6", + "Stamina Cost": "3.85", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2d/Broken_Golem_Rapier.png/revision/latest?cb=20190405192546", + "recipes": [ + { + "result": "Golem Rapier", + "result_count": "1x", + "ingredients": [ + "Broken Golem Rapier", + "Broken Golem Rapier", + "Palladium Scrap", + "Crystal Powder" + ], + "station": "None", + "source_page": "Broken Golem Rapier" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "3.85", + "damage": "19", + "description": "Two slash attacks, left to right", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "4.62", + "damage": "28.41", + "description": "Forward-thrusting strike", + "impact": "19.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.24", + "damage": "24.03", + "description": "Heavy left-lunging strike", + "impact": "16.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.24", + "damage": "24.03", + "description": "Heavy right-lunging strike", + "impact": "16.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "19", + "15", + "3.85", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "28.41", + "19.5", + "4.62", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "24.03", + "16.5", + "4.24", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "24.03", + "16.5", + "4.24", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Broken Golem RapierBroken Golem RapierPalladium ScrapCrystal Powder", + "result": "1x Golem Rapier", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Golem Rapier", + "Broken Golem RapierBroken Golem RapierPalladium ScrapCrystal Powder", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Guardian of the Compass" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Rusted Enforcer" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Sword Golem" + }, + { + "chance": "12.5%", + "quantity": "1", + "source": "Rusty Sword Golem" + } + ], + "raw_rows": [ + [ + "Guardian of the Compass", + "1", + "100%" + ], + [ + "Rusted Enforcer", + "1", + "100%" + ], + [ + "Sword Golem", + "1", + "100%" + ], + [ + "Rusty Sword Golem", + "1", + "12.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Broken Golem Rapier is a type of sword in Outward." + }, + { + "name": "Brutal Axe", + "url": "https://outward.fandom.com/wiki/Brutal_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "200", + "Class": "Axes", + "Damage": "25", + "Durability": "300", + "Impact": "24", + "Item Set": "Brutal Set", + "Object ID": "2010030", + "Sell": "60", + "Stamina Cost": "4.8", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5c/Brutal_Axe.png/revision/latest?cb=20190412200319", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Brutal Axe" + }, + { + "result": "Tuanosaur Axe", + "result_count": "1x", + "ingredients": [ + "Palladium Scrap", + "Brutal Axe", + "Alpha Tuanosaur Tail" + ], + "station": "None", + "source_page": "Brutal Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.8", + "damage": "25", + "description": "Two slashing strikes, right to left", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "5.76", + "damage": "32.5", + "description": "Fast, triple-attack strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "5.76", + "damage": "32.5", + "description": "Quick double strike", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "5.76", + "damage": "32.5", + "description": "Wide-sweeping double strike", + "impact": "31.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "24", + "4.8", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "32.5", + "31.2", + "5.76", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "32.5", + "31.2", + "5.76", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.5", + "31.2", + "5.76", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Palladium ScrapBrutal AxeAlpha Tuanosaur Tail", + "result": "1x Tuanosaur Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ], + [ + "1x Tuanosaur Axe", + "Palladium ScrapBrutal AxeAlpha Tuanosaur Tail", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)", + "enchantment": "Crumbling Anger" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Crumbling Anger", + "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "30.6%", + "locations": "Monsoon", + "quantity": "1 - 2", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "13%", + "locations": "Monsoon", + "quantity": "1 - 3", + "source": "Shopkeeper Lyda" + }, + { + "chance": "7.1%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "100%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1 - 2", + "30.6%", + "Monsoon" + ], + [ + "Shopkeeper Lyda", + "1 - 3", + "13%", + "Monsoon" + ], + [ + "Loud-Hammer", + "1", + "7.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Baron Montgomery" + } + ], + "raw_rows": [ + [ + "Baron Montgomery", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Brutal Axe is an one-handed axe in Outward." + }, + { + "name": "Brutal Club", + "url": "https://outward.fandom.com/wiki/Brutal_Club", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "200", + "Class": "Maces", + "Damage": "29", + "Durability": "375", + "Effects": "Confusion", + "Impact": "38", + "Item Set": "Brutal Set", + "Object ID": "2020020", + "Sell": "60", + "Stamina Cost": "4.8", + "Type": "One-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0a/Brutal_Club.png/revision/latest?cb=20190412210806", + "effects": [ + "Inflicts Confusion (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Brutal Club" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.8", + "damage": "29", + "description": "Two wide-sweeping strikes, right to left", + "impact": "38", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "37.7", + "description": "Slow, overhead strike with high impact", + "impact": "95", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "37.7", + "description": "Fast, forward-thrusting strike", + "impact": "49.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "37.7", + "description": "Fast, forward-thrusting strike", + "impact": "49.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29", + "38", + "4.8", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "37.7", + "95", + "6.24", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "37.7", + "49.4", + "6.24", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "37.7", + "49.4", + "6.24", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)", + "enchantment": "Crumbling Anger" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Crumbling Anger", + "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "30.6%", + "locations": "Monsoon", + "quantity": "1 - 2", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "7.1%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "100%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1 - 2", + "30.6%", + "Monsoon" + ], + [ + "Loud-Hammer", + "1", + "7.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Defender" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Crock" + } + ], + "raw_rows": [ + [ + "Bandit Defender", + "1", + "100%" + ], + [ + "Crock", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Brutal Club is a one-handed mace in Outward." + }, + { + "name": "Brutal Greataxe", + "url": "https://outward.fandom.com/wiki/Brutal_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "250", + "Class": "Axes", + "Damage": "33", + "Durability": "350", + "Impact": "36", + "Item Set": "Brutal Set", + "Object ID": "2110000", + "Sell": "75", + "Stamina Cost": "6.6", + "Type": "Two-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/35/Brutal_Greataxe.png/revision/latest?cb=20190405200109", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Brutal Greataxe" + }, + { + "result": "Tuanosaur Greataxe", + "result_count": "1x", + "ingredients": [ + "Brutal Greataxe", + "Alpha Tuanosaur Tail", + "Alpha Tuanosaur Tail", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Brutal Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.6", + "damage": "33", + "description": "Two slashing strikes, left to right", + "impact": "36", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.07", + "damage": "42.9", + "description": "Uppercut strike into right sweep strike", + "impact": "46.8", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.07", + "damage": "42.9", + "description": "Left-spinning double strike", + "impact": "46.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "8.91", + "damage": "42.9", + "description": "Right-spinning double strike", + "impact": "46.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "36", + "6.6", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "42.9", + "46.8", + "9.07", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "42.9", + "46.8", + "9.07", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "42.9", + "46.8", + "8.91", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Brutal GreataxeAlpha Tuanosaur TailAlpha Tuanosaur TailPalladium Scrap", + "result": "1x Tuanosaur Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ], + [ + "1x Tuanosaur Greataxe", + "Brutal GreataxeAlpha Tuanosaur TailAlpha Tuanosaur TailPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)", + "enchantment": "Crumbling Anger" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Crumbling Anger", + "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "30.6%", + "locations": "Monsoon", + "quantity": "1 - 2", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "7.1%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "100%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1 - 2", + "30.6%", + "Monsoon" + ], + [ + "Loud-Hammer", + "1", + "7.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit" + } + ], + "raw_rows": [ + [ + "Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Brutal Greataxe is an two-handed axe in Outward." + }, + { + "name": "Brutal Greatmace", + "url": "https://outward.fandom.com/wiki/Brutal_Greatmace", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "250", + "Class": "Maces", + "Damage": "30", + "Durability": "400", + "Impact": "47", + "Item Set": "Brutal Set", + "Object ID": "2120000", + "Sell": "75", + "Stamina Cost": "6.6", + "Type": "Two-Handed", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/89/Brutal_Greatmace.png/revision/latest?cb=20190412211754", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Brutal Greatmace" + }, + { + "result": "Virgin Greatmace", + "result_count": "1x", + "ingredients": [ + "Brutal Greatmace", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Brutal Greatmace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.6", + "damage": "30", + "description": "Two slashing strikes, left to right", + "impact": "47", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "22.5", + "description": "Blunt strike with high impact", + "impact": "94", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "42", + "description": "Powerful overhead strike", + "impact": "65.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "42", + "description": "Forward-running uppercut strike", + "impact": "65.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30", + "47", + "6.6", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "22.5", + "94", + "7.92", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "42", + "65.8", + "7.92", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "42", + "65.8", + "7.92", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Brutal GreatmacePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Greatmace", + "station": "None" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ], + [ + "1x Virgin Greatmace", + "Brutal GreatmacePalladium ScrapPalladium ScrapPure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)", + "enchantment": "Crumbling Anger" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Crumbling Anger", + "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "30.6%", + "locations": "Monsoon", + "quantity": "1 - 2", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "7.1%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "100%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1 - 2", + "30.6%", + "Monsoon" + ], + [ + "Loud-Hammer", + "1", + "7.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Brutal Greatmace is an two-handed mace in Outward." + }, + { + "name": "Brutal Knuckles", + "url": "https://outward.fandom.com/wiki/Brutal_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "300", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "25", + "Durability": "275", + "Effects": "Confusion", + "Impact": "19", + "Item Set": "Brutal Set", + "Object ID": "2160010", + "Sell": "90", + "Stamina Cost": "2.5", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f4/Brutal_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20200616185317", + "effects": [ + "Inflicts Confusion (22.5% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.5", + "damage": "25", + "description": "Four fast punches, right to left", + "impact": "19", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.25", + "damage": "32.5", + "description": "Forward-lunging left hook", + "impact": "24.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3", + "damage": "32.5", + "description": "Left dodging, left uppercut", + "impact": "24.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3", + "damage": "32.5", + "description": "Right dodging, right spinning hammer strike", + "impact": "24.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "19", + "2.5", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "32.5", + "24.7", + "3.25", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "32.5", + "24.7", + "3", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.5", + "24.7", + "3", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)", + "enchantment": "Crumbling Anger" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Crumbling Anger", + "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "40%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "30.6%", + "locations": "Monsoon", + "quantity": "1 - 2", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "7.1%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "40%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1 - 2", + "30.6%", + "Monsoon" + ], + [ + "Loud-Hammer", + "1", + "7.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.6%", + "locations": "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ], + [ + "Chest", + "1", + "5.6%", + "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.6%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage" + ] + ] + } + ], + "description": "Brutal Knuckles is a type of Weapon in Outward." + }, + { + "name": "Brutal Spear", + "url": "https://outward.fandom.com/wiki/Brutal_Spear", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "250", + "Class": "Spears", + "Damage": "32", + "Durability": "275", + "Impact": "26", + "Item Set": "Brutal Set", + "Object ID": "2130000", + "Sell": "75", + "Stamina Cost": "4.8", + "Type": "Two-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8b/Brutal_Spear.png/revision/latest?cb=20190413065701", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Brutal Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.8", + "damage": "32", + "description": "Two forward-thrusting stabs", + "impact": "26", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6", + "damage": "44.8", + "description": "Forward-lunging strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6", + "damage": "41.6", + "description": "Left-sweeping strike, jump back", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6", + "damage": "38.4", + "description": "Fast spinning strike from the right", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "32", + "26", + "4.8", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "44.8", + "31.2", + "6", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "41.6", + "31.2", + "6", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "38.4", + "28.6", + "6", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)", + "enchantment": "Crumbling Anger" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Crumbling Anger", + "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "30.6%", + "locations": "Monsoon", + "quantity": "1 - 2", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "7.1%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "100%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1 - 2", + "30.6%", + "Monsoon" + ], + [ + "Loud-Hammer", + "1", + "7.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Desert Bandit" + } + ], + "raw_rows": [ + [ + "Desert Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Brutal Spear is a type of spear in Outward." + }, + { + "name": "Build:Philosopher's Guardian", + "url": "https://outward.fandom.com/wiki/Build:Philosopher%27s_Guardian", + "categories": [ + "Character Builds", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "3000", + "Class": "Swords", + "Damage": "22", + "Durability": "300", + "Effects": "AoE Ethereal blast on hit", + "Impact": "25", + "Object ID": "2000310", + "Sell": "900", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "4.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Philosopher's Guardian" + ], + "rows": [ + { + "philosopher's_guardian": "This build uses chakrams with summoned ghost and being always close range against enemies with fast sword strikes while switching aggro between you and ghost." + }, + { + "column_2": "Required Faction", + "philosopher's_guardian": "Breakthroughs" + }, + { + "column_4": "Any" + }, + { + "philosopher's_guardian": "Equipment" + }, + { + "column_2": "Off-Hand", + "column_3": "Head", + "column_4": "Body", + "column_5": "Boots", + "column_6": "Backpack", + "philosopher's_guardian": "Weapon" + }, + { + "column_2": "Telekinesis", + "column_3": "Assassin", + "column_4": "Chaos and Creativity", + "column_5": "Speed and Efficiency", + "philosopher's_guardian": "Specter's Wail" + } + ], + "raw_rows": [ + [ + "This build uses chakrams with summoned ghost and being always close range against enemies with fast sword strikes while switching aggro between you and ghost." + ], + [ + "Breakthroughs", + "Required Faction" + ], + [ + "", + "", + "", + "Any" + ], + [ + "Equipment" + ], + [ + "Weapon", + "Off-Hand", + "Head", + "Body", + "Boots", + "Backpack" + ], + [ + "Specter's Wail", + "Telekinesis", + "Assassin", + "Chaos and Creativity", + "Speed and Efficiency", + "" + ] + ] + }, + { + "headers": [ + "Quickslots" + ], + "rows": [ + { + "column_2": "2", + "column_3": "3", + "column_4": "4", + "column_5": "5", + "column_6": "6", + "column_7": "7", + "column_8": "8", + "quickslots": "1" + } + ], + "raw_rows": [ + [ + "1", + "2", + "3", + "4", + "5", + "6", + "7", + "8" + ] + ] + }, + { + "title": "Combos", + "headers": [ + "If getting surprise attacked by enemy" + ], + "rows": [ + { + "if_getting_surprise_attacked_by_enemy": "\u003e \u003e" + } + ], + "raw_rows": [ + [ + "\u003e \u003e" + ] + ] + }, + { + "title": "Combos", + "headers": [ + "Buffing" + ], + "rows": [ + { + "buffing": "\u003e \u003e \u003e" + } + ], + "raw_rows": [ + [ + "\u003e \u003e \u003e" + ] + ] + }, + { + "title": "Combos", + "headers": [ + "Opening of a fight" + ], + "rows": [ + { + "opening_of_a_fight": "\u003e \u003e" + } + ], + "raw_rows": [ + [ + "\u003e \u003e" + ] + ] + }, + { + "title": "Combos", + "headers": [ + "Ghost preparation" + ], + "rows": [ + { + "ghost_preparation": "\u003e \u003e \u003e" + } + ], + "raw_rows": [ + [ + "\u003e \u003e \u003e" + ] + ] + }, + { + "title": "Combos", + "headers": [ + "Optionally using consumable for some buffs" + ], + "rows": [ + { + "optionally_using_consumable_for_some_buffs": "\u003e \u003e" + } + ], + "raw_rows": [ + [ + "\u003e \u003e" + ] + ] + } + ], + "description": "Philosopher's Guardian is a Character Build in Outward, created by Exzlu." + }, + { + "name": "Bullet", + "url": "https://outward.fandom.com/wiki/Bullet", + "categories": [ + "Ammunition", + "Items", + "Weapons" + ], + "infobox": { + "Buy": "3", + "Object ID": "4400080", + "Sell": "1", + "Type": "Ammunition", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c3/Bullets.png/revision/latest?cb=20190413141548", + "recipes": [ + { + "result": "Bullet", + "result_count": "3x", + "ingredients": [ + "Iron Scrap", + "Thick Oil" + ], + "station": "None", + "source_page": "Bullet" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Scrap Thick Oil", + "result": "3x Bullet", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Bullet", + "Iron Scrap Thick Oil", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "24", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "24", + "source": "Iron Sides" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "6", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "24", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "24", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "24", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "12 - 24", + "source": "Sal Dumas, Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "24", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "28.4%", + "locations": "Berg", + "quantity": "10 - 90", + "source": "Shopkeeper Pleel" + }, + { + "chance": "11.4%", + "locations": "Giants' Village", + "quantity": "10 - 15", + "source": "Gold Belly" + }, + { + "chance": "11.4%", + "locations": "Hallowed Marsh", + "quantity": "10 - 15", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "24", + "100%", + "Levant" + ], + [ + "Iron Sides", + "24", + "100%", + "Giants' Village" + ], + [ + "Lawrence Dakers, Hunter", + "6", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "24", + "100%", + "Cierzo" + ], + [ + "Master-Smith Tokuga", + "24", + "100%", + "Levant" + ], + [ + "Quikiza the Blacksmith", + "24", + "100%", + "Berg" + ], + [ + "Sal Dumas, Blacksmith", + "12 - 24", + "100%", + "New Sirocco" + ], + [ + "Vyzyrinthrix the Blacksmith", + "24", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "10 - 90", + "28.4%", + "Berg" + ], + [ + "Gold Belly", + "10 - 15", + "11.4%", + "Giants' Village" + ], + [ + "Silver-Nose the Trader", + "10 - 15", + "11.4%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "3 - 6", + "source": "Chest" + }, + { + "chance": "37%", + "locations": "Caldera", + "quantity": "2", + "source": "Adventurer's Corpse" + }, + { + "chance": "37%", + "locations": "Caldera", + "quantity": "2", + "source": "Supply Cache" + }, + { + "chance": "29.5%", + "locations": "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh", + "quantity": "2", + "source": "Supply Cache" + }, + { + "chance": "6.9%", + "locations": "The Slide, Ziggurat Passage", + "quantity": "4 - 8", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery", + "quantity": "4 - 8", + "source": "Chest" + }, + { + "chance": "6.9%", + "locations": "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory", + "quantity": "4 - 8", + "source": "Corpse" + }, + { + "chance": "6.9%", + "locations": "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair", + "quantity": "4 - 8", + "source": "Hollowed Trunk" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage", + "quantity": "4 - 8", + "source": "Junk Pile" + }, + { + "chance": "6.9%", + "locations": "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island", + "quantity": "4 - 8", + "source": "Knight's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "3 - 6", + "100%", + "Levant" + ], + [ + "Adventurer's Corpse", + "2", + "37%", + "Caldera" + ], + [ + "Supply Cache", + "2", + "37%", + "Caldera" + ], + [ + "Supply Cache", + "2", + "29.5%", + "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "4 - 8", + "6.9%", + "The Slide, Ziggurat Passage" + ], + [ + "Chest", + "4 - 8", + "6.9%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery" + ], + [ + "Corpse", + "4 - 8", + "6.9%", + "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory" + ], + [ + "Hollowed Trunk", + "4 - 8", + "6.9%", + "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair" + ], + [ + "Junk Pile", + "4 - 8", + "6.9%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "4 - 8", + "6.9%", + "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island" + ] + ] + } + ], + "description": "Bullet are a type of ammunition in Outward, used for firearms. One bullet is consumed per shot. Each stack can hold up to 12 bullets." + }, + { + "name": "Butcher Cleaver", + "url": "https://outward.fandom.com/wiki/Butcher_Cleaver", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Axes", + "Damage": "13.7 13.7 13.7", + "Durability": "500", + "Impact": "33", + "Object ID": "2010140", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1e/Butcher_Cleaver.png/revision/latest/scale-to-width-down/83?cb=20190629155303", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "13.7 13.7 13.7", + "description": "Two slashing strikes, right to left", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.72", + "damage": "17.81 17.81 17.81", + "description": "Fast, triple-attack strike", + "impact": "42.9", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "17.81 17.81 17.81", + "description": "Quick double strike", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "17.81 17.81 17.81", + "description": "Wide-sweeping double strike", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "13.7 13.7 13.7", + "33", + "5.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "17.81 17.81 17.81", + "42.9", + "6.72", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "17.81 17.81 17.81", + "42.9", + "6.72", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "17.81 17.81 17.81", + "42.9", + "6.72", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Butcher's Amethyst", + "upgrade": "Butcher Cleaver" + } + ], + "raw_rows": [ + [ + "Butcher's Amethyst", + "Butcher Cleaver" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Butcher Cleaver is a type of One-Handed Axe weapon in Outward." + }, + { + "name": "Butcher's Amethyst", + "url": "https://outward.fandom.com/wiki/Butcher%27s_Amethyst", + "categories": [ + "Gemstone", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "250", + "Object ID": "6200040", + "Sell": "250", + "Type": "Gemstone", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/93/Butcher%27s_Amethyst.png/revision/latest?cb=20190417084900", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Butcher of Men" + } + ], + "raw_rows": [ + [ + "Butcher of Men", + "1", + "100%" + ] + ] + } + ], + "description": "Butcher's Amethyst, obtained from unique enemy while protecting Monsoon." + }, + { + "name": "Cactus Fruit", + "url": "https://outward.fandom.com/wiki/Cactus_Fruit", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Stamina Recovery 2Hot Weather Defense", + "Hunger": "10%", + "Object ID": "4000200", + "Perish Time": "4 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/32/Cactus_Fruit.png/revision/latest?cb=20190410130347", + "effects": [ + "Restores 10% Hunger", + "Player receives Hot Weather Defense", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Boiled Cactus Fruit", + "result_count": "1x", + "ingredients": [ + "Cactus Fruit" + ], + "station": "Campfire", + "source_page": "Cactus Fruit" + }, + { + "result": "Cactus Pie", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Cactus Fruit" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Cactus Fruit" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cactus Fruit" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Cactus Fruit" + ], + "station": "Alchemy Kit", + "source_page": "Cactus Fruit" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cactus Fruit" + }, + { + "result": "Needle Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Cactus Fruit" + ], + "station": "Cooking Pot", + "source_page": "Cactus Fruit" + }, + { + "result": "Spiny Meringue", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Egg", + "Larva Egg" + ], + "station": "Cooking Pot", + "source_page": "Cactus Fruit" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Cactus Fruit" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cactus Fruit" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Cactus Fruit" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cactus Fruit", + "result": "1x Boiled Cactus Fruit", + "station": "Campfire" + }, + { + "ingredients": "Cactus FruitCactus FruitBread", + "result": "3x Cactus Pie", + "station": "Cooking Pot" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "Assassin TongueCactus Fruit", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterCactus Fruit", + "result": "1x Needle Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "Cactus FruitCactus FruitEggLarva Egg", + "result": "3x Spiny Meringue", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Boiled Cactus Fruit", + "Cactus Fruit", + "Campfire" + ], + [ + "3x Cactus Pie", + "Cactus FruitCactus FruitBread", + "Cooking Pot" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "1x Endurance Potion", + "Assassin TongueCactus Fruit", + "Alchemy Kit" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "1x Needle Tea", + "WaterCactus Fruit", + "Cooking Pot" + ], + [ + "3x Spiny Meringue", + "Cactus FruitCactus FruitEggLarva Egg", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Cactus" + } + ], + "raw_rows": [ + [ + "Cactus", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "2 - 3", + "source": "Chef Tenno" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "2 - 8", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Chef Tenno", + "2 - 3", + "100%", + "Levant" + ], + [ + "Tuan the Alchemist", + "2 - 8", + "11.8%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "29.8%", + "quantity": "1 - 3", + "source": "Phytosaur" + }, + { + "chance": "11.8%", + "quantity": "1 - 3", + "source": "Bloody Alexis" + }, + { + "chance": "11.8%", + "quantity": "1 - 3", + "source": "Desert Lieutenant" + }, + { + "chance": "9.3%", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.3%", + "quantity": "1 - 2", + "source": "Desert Bandit" + }, + { + "chance": "9.1%", + "quantity": "1 - 2", + "source": "Desert Archer" + } + ], + "raw_rows": [ + [ + "Phytosaur", + "1 - 3", + "29.8%" + ], + [ + "Bloody Alexis", + "1 - 3", + "11.8%" + ], + [ + "Desert Lieutenant", + "1 - 3", + "11.8%" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "9.3%" + ], + [ + "Desert Bandit", + "1 - 2", + "9.3%" + ], + [ + "Desert Archer", + "1 - 2", + "9.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "28.6%", + "locations": "Ancient Hive, Crumbling Loading Docks, Sand Rose Cave", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "28.6%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "28.6%", + "locations": "Ancient Hive, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "28.6%", + "locations": "The Slide", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "28.6%", + "locations": "Stone Titan Caves, The Slide", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "28.6%", + "Ancient Hive, Crumbling Loading Docks, Sand Rose Cave" + ], + [ + "Chest", + "1", + "28.6%", + "Abrassar, Levant" + ], + [ + "Knight's Corpse", + "1", + "28.6%", + "Ancient Hive, Stone Titan Caves" + ], + [ + "Scavenger's Corpse", + "1", + "28.6%", + "The Slide" + ], + [ + "Worker's Corpse", + "1", + "28.6%", + "Stone Titan Caves, The Slide" + ] + ] + } + ], + "description": "Cactus Fruit is an Item in Outward." + }, + { + "name": "Cactus Pie", + "url": "https://outward.fandom.com/wiki/Cactus_Pie", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Stamina Recovery 3Hot Weather Defense", + "Hunger": "22.5%", + "Object ID": "4100490", + "Perish Time": "11 Days 21 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d2/Cactus_Pie.png/revision/latest?cb=20190410133434", + "effects": [ + "Restores 22.5% Hunger", + "Player receives Hot Weather Defense", + "Player receives Stamina Recovery (level 3)" + ], + "recipes": [ + { + "result": "Cactus Pie", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Cactus Pie" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cactus Pie" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Cactus Pie" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cactus Fruit Cactus Fruit Bread", + "result": "3x Cactus Pie", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Cactus Pie", + "Cactus Fruit Cactus Fruit Bread", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "3 - 6", + "source": "Chef Tenno" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "2", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Chef Tenno", + "3 - 6", + "100%", + "Levant" + ], + [ + "Ibolya Battleborn, Chef", + "2", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "21.5%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "20.7%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "6%", + "quantity": "1 - 3", + "source": "Bloody Alexis" + }, + { + "chance": "6%", + "quantity": "1 - 3", + "source": "Desert Lieutenant" + }, + { + "chance": "4.7%", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.7%", + "quantity": "1 - 2", + "source": "Desert Bandit" + }, + { + "chance": "4.6%", + "quantity": "1 - 2", + "source": "Desert Archer" + } + ], + "raw_rows": [ + [ + "Kazite Admiral", + "1 - 5", + "21.5%" + ], + [ + "Desert Captain", + "1 - 5", + "20.7%" + ], + [ + "Bloody Alexis", + "1 - 3", + "6%" + ], + [ + "Desert Lieutenant", + "1 - 3", + "6%" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "4.7%" + ], + [ + "Desert Bandit", + "1 - 2", + "4.7%" + ], + [ + "Desert Archer", + "1 - 2", + "4.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "21.4%", + "locations": "Ancient Hive, Crumbling Loading Docks, Sand Rose Cave", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "21.4%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "21.4%", + "locations": "Ancient Hive, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "21.4%", + "locations": "The Slide", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "21.4%", + "locations": "Stone Titan Caves, The Slide", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "21.4%", + "Ancient Hive, Crumbling Loading Docks, Sand Rose Cave" + ], + [ + "Chest", + "1", + "21.4%", + "Abrassar, Levant" + ], + [ + "Knight's Corpse", + "1", + "21.4%", + "Ancient Hive, Stone Titan Caves" + ], + [ + "Scavenger's Corpse", + "1", + "21.4%", + "The Slide" + ], + [ + "Worker's Corpse", + "1", + "21.4%", + "Stone Titan Caves, The Slide" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Cactus Pie is a dish in Outward." + }, + { + "name": "Cage Pistol", + "url": "https://outward.fandom.com/wiki/Cage_Pistol", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Pistols", + "DLC": "The Soroboreans", + "Damage": "90", + "Durability": "250", + "Effects": "WeakenSapped", + "Impact": "75", + "Item Set": "Caged Set", + "Object ID": "5110190", + "Sell": "300", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/af/Cage_Pistol.png/revision/latest/scale-to-width-down/83?cb=20200616185319", + "effects": [ + "Inflicts Weaken (90% buildup)", + "Inflicts Sapped (100% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup", + "/wiki/Sapped" + ], + "recipes": [ + { + "result": "Cage Pistol", + "result_count": "1x", + "ingredients": [ + "Haunted Memory", + "Scourge's Tears", + "Flowering Corruption", + "Enchanted Mask" + ], + "station": "None", + "source_page": "Cage Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Haunted Memory Scourge's Tears Flowering Corruption Enchanted Mask", + "result": "1x Cage Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cage Pistol", + "Haunted Memory Scourge's Tears Flowering Corruption Enchanted Mask", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + } + ], + "description": "Cage Pistol is a type of Weapon in Outward." + }, + { + "name": "Caged Armor Boots", + "url": "https://outward.fandom.com/wiki/Caged_Armor_Boots", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "525", + "DLC": "The Soroboreans", + "Damage Resist": "20% 5% 5%", + "Durability": "425", + "Impact Resist": "13%", + "Item Set": "Caged Set", + "Movement Speed": "10%", + "Object ID": "3100272", + "Protection": "2", + "Sell": "158", + "Slot": "Legs", + "Stamina Cost": "5%", + "Weight": "12" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/21/Caged_Armor_Boots.png/revision/latest/scale-to-width-down/83?cb=20200616185320", + "recipes": [ + { + "result": "Caged Armor Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Calixa's Relic", + "Flowering Corruption" + ], + "station": "None", + "source_page": "Caged Armor Boots" + } + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Elatt's Relic Calixa's Relic Flowering Corruption", + "result": "1x Caged Armor Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Caged Armor Boots", + "Gep's Generosity Elatt's Relic Calixa's Relic Flowering Corruption", + "None" + ] + ] + } + ], + "description": "Caged Armor Boots is a type of Equipment in Outward." + }, + { + "name": "Caged Armor Chestplate", + "url": "https://outward.fandom.com/wiki/Caged_Armor_Chestplate", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "1050", + "DLC": "The Soroboreans", + "Damage Resist": "28% 10% 10%", + "Durability": "425", + "Impact Resist": "23%", + "Item Set": "Caged Set", + "Movement Speed": "5%", + "Object ID": "3100270", + "Protection": "3", + "Sell": "315", + "Slot": "Chest", + "Stamina Cost": "8%", + "Weight": "18" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b1/Caged_Armor_Chestplate.png/revision/latest/scale-to-width-down/83?cb=20200616185321", + "recipes": [ + { + "result": "Caged Armor Chestplate", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Vendavel's Hospitality", + "Metalized Bones" + ], + "station": "None", + "source_page": "Caged Armor Chestplate" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Pearlbird's Courage Vendavel's Hospitality Metalized Bones", + "result": "1x Caged Armor Chestplate", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Caged Armor Chestplate", + "Gep's Generosity Pearlbird's Courage Vendavel's Hospitality Metalized Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Caged Armor Chestplate is a type of Equipment in Outward." + }, + { + "name": "Caged Armor Helm", + "url": "https://outward.fandom.com/wiki/Caged_Armor_Helm", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "525", + "DLC": "The Soroboreans", + "Damage Resist": "20% 5% 5%", + "Durability": "425", + "Impact Resist": "13%", + "Item Set": "Caged Set", + "Mana Cost": "30%", + "Movement Speed": "5%", + "Object ID": "3100271", + "Protection": "2", + "Sell": "158", + "Slot": "Head", + "Stamina Cost": "5%", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2e/Caged_Armor_Helm.png/revision/latest/scale-to-width-down/83?cb=20200616185323", + "recipes": [ + { + "result": "Caged Armor Helm", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Leyline Figment", + "Vendavel's Hospitality", + "Enchanted Mask" + ], + "station": "None", + "source_page": "Caged Armor Helm" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Pearlbird's Courage Leyline Figment Vendavel's Hospitality Enchanted Mask", + "result": "1x Caged Armor Helm", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Caged Armor Helm", + "Pearlbird's Courage Leyline Figment Vendavel's Hospitality Enchanted Mask", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Caged Armor Helm is a type of Equipment in Outward." + }, + { + "name": "Caged Set", + "url": "https://outward.fandom.com/wiki/Caged_Set", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "2100", + "DLC": "The Soroboreans", + "Damage Resist": "68% 20% 20%", + "Durability": "1275", + "Impact Resist": "49%", + "Mana Cost": "30%", + "Movement Speed": "20%", + "Object ID": "3100272 (Legs)3100270 (Chest)3100271 (Head)", + "Protection": "7", + "Sell": "630", + "Slot": "Set", + "Stamina Cost": "18%", + "Weight": "38.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "13%", + "column_5": "2", + "column_6": "5%", + "column_7": "–", + "column_8": "10%", + "durability": "425", + "name": "Caged Armor Boots", + "resistances": "20% 5% 5%", + "weight": "12.0" + }, + { + "class": "Body Armor", + "column_4": "23%", + "column_5": "3", + "column_6": "8%", + "column_7": "–", + "column_8": "5%", + "durability": "425", + "name": "Caged Armor Chestplate", + "resistances": "28% 10% 10%", + "weight": "18.0" + }, + { + "class": "Helmets", + "column_4": "13%", + "column_5": "2", + "column_6": "5%", + "column_7": "30%", + "column_8": "5%", + "durability": "425", + "name": "Caged Armor Helm", + "resistances": "20% 5% 5%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Caged Armor Boots", + "20% 5% 5%", + "13%", + "2", + "5%", + "–", + "10%", + "425", + "12.0", + "Boots" + ], + [ + "", + "Caged Armor Chestplate", + "28% 10% 10%", + "23%", + "3", + "8%", + "–", + "5%", + "425", + "18.0", + "Body Armor" + ], + [ + "", + "Caged Armor Helm", + "20% 5% 5%", + "13%", + "2", + "5%", + "30%", + "5%", + "425", + "8.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Pistol", + "column_4": "75", + "damage": "90", + "durability": "250", + "effects": "WeakenSapped", + "name": "Cage Pistol", + "speed": "1.0", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Cage Pistol", + "90", + "75", + "1.0", + "250", + "1.0", + "WeakenSapped", + "Pistol" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "13%", + "column_5": "2", + "column_6": "5%", + "column_7": "–", + "column_8": "10%", + "durability": "425", + "name": "Caged Armor Boots", + "resistances": "20% 5% 5%", + "weight": "12.0" + }, + { + "class": "Body Armor", + "column_4": "23%", + "column_5": "3", + "column_6": "8%", + "column_7": "–", + "column_8": "5%", + "durability": "425", + "name": "Caged Armor Chestplate", + "resistances": "28% 10% 10%", + "weight": "18.0" + }, + { + "class": "Helmets", + "column_4": "13%", + "column_5": "2", + "column_6": "5%", + "column_7": "30%", + "column_8": "5%", + "durability": "425", + "name": "Caged Armor Helm", + "resistances": "20% 5% 5%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Caged Armor Boots", + "20% 5% 5%", + "13%", + "2", + "5%", + "–", + "10%", + "425", + "12.0", + "Boots" + ], + [ + "", + "Caged Armor Chestplate", + "28% 10% 10%", + "23%", + "3", + "8%", + "–", + "5%", + "425", + "18.0", + "Body Armor" + ], + [ + "", + "Caged Armor Helm", + "20% 5% 5%", + "13%", + "2", + "5%", + "30%", + "5%", + "425", + "8.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Pistol", + "column_4": "75", + "damage": "90", + "durability": "250", + "effects": "WeakenSapped", + "name": "Cage Pistol", + "speed": "1.0", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Cage Pistol", + "90", + "75", + "1.0", + "250", + "1.0", + "WeakenSapped", + "Pistol" + ] + ] + } + ], + "description": "Caged Set is a Set in Outward." + }, + { + "name": "Caldera Mail Armor", + "url": "https://outward.fandom.com/wiki/Caldera_Mail_Armor", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "500", + "DLC": "The Three Brothers", + "Damage Resist": "22% 14% 14%", + "Durability": "350", + "Effects": "Prevents Pain and Confusion by 50%", + "Impact Resist": "17%", + "Item Set": "Caldera Mail Set", + "Object ID": "3100450", + "Protection": "3", + "Sell": "150", + "Slot": "Chest", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f1/Caldera_Mail_Armor.png/revision/latest/scale-to-width-down/83?cb=20201220074120", + "effects": [ + "Provides 50% Status Resistance to Pain", + "Provides 50% Status Resistance to Confusion" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Caldera Mail Armor is a type of Equipment in Outward." + }, + { + "name": "Caldera Mail Boots", + "url": "https://outward.fandom.com/wiki/Caldera_Mail_Boots", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "300", + "DLC": "The Three Brothers", + "Damage Resist": "10% 7% 7%", + "Durability": "350", + "Effects": "Prevents Pain and Confusion by 25%", + "Impact Resist": "12%", + "Item Set": "Caldera Mail Set", + "Object ID": "3100452", + "Protection": "2", + "Sell": "90", + "Slot": "Legs", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/70/Caldera_Mail_Boots.png/revision/latest/scale-to-width-down/83?cb=20201220074121", + "effects": [ + "Provides 25% Status Resistance to Pain", + "Provides 25% Status Resistance to Confusion" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Caldera Mail Boots is a type of Equipment in Outward." + }, + { + "name": "Caldera Mail Helm", + "url": "https://outward.fandom.com/wiki/Caldera_Mail_Helm", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "DLC": "The Three Brothers", + "Damage Resist": "11% 7% 7%", + "Durability": "350", + "Effects": "Prevents Pain and Confusion by 25%", + "Impact Resist": "9%", + "Item Set": "Caldera Mail Set", + "Mana Cost": "7%", + "Object ID": "3100451", + "Protection": "3", + "Sell": "90", + "Slot": "Head", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a1/Caldera_Mail_Helm.png/revision/latest/scale-to-width-down/83?cb=20201220073848", + "effects": [ + "Provides 25% Status Resistance to Pain", + "Provides 25% Status Resistance to Confusion" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Caldera Mail Helm is a type of Equipment in Outward." + }, + { + "name": "Caldera Mail Set", + "url": "https://outward.fandom.com/wiki/Caldera_Mail_Set", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1100", + "DLC": "The Three Brothers", + "Damage Resist": "43% 28% 28%", + "Durability": "1050", + "Impact Resist": "38%", + "Mana Cost": "7%", + "Object ID": "3100450 (Chest)3100452 (Legs)3100451 (Head)", + "Protection": "8", + "Sell": "330", + "Slot": "Set", + "Weight": "16.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4f/Caldera_Mail_Set.png/revision/latest/scale-to-width-down/250?cb=20201231063846", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "3", + "column_6": "–", + "durability": "350", + "effects": "Prevents Pain and Confusion by 50%", + "name": "Caldera Mail Armor", + "resistances": "22% 14% 14%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "durability": "350", + "effects": "Prevents Pain and Confusion by 25%", + "name": "Caldera Mail Boots", + "resistances": "10% 7% 7%", + "weight": "5.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "3", + "column_6": "7%", + "durability": "350", + "effects": "Prevents Pain and Confusion by 25%", + "name": "Caldera Mail Helm", + "resistances": "11% 7% 7%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Caldera Mail Armor", + "22% 14% 14%", + "17%", + "3", + "–", + "350", + "8.0", + "Prevents Pain and Confusion by 50%", + "Body Armor" + ], + [ + "", + "Caldera Mail Boots", + "10% 7% 7%", + "12%", + "2", + "–", + "350", + "5.0", + "Prevents Pain and Confusion by 25%", + "Boots" + ], + [ + "", + "Caldera Mail Helm", + "11% 7% 7%", + "9%", + "3", + "7%", + "350", + "3.0", + "Prevents Pain and Confusion by 25%", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "3", + "column_6": "–", + "durability": "350", + "effects": "Prevents Pain and Confusion by 50%", + "name": "Caldera Mail Armor", + "resistances": "22% 14% 14%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "durability": "350", + "effects": "Prevents Pain and Confusion by 25%", + "name": "Caldera Mail Boots", + "resistances": "10% 7% 7%", + "weight": "5.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "3", + "column_6": "7%", + "durability": "350", + "effects": "Prevents Pain and Confusion by 25%", + "name": "Caldera Mail Helm", + "resistances": "11% 7% 7%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Caldera Mail Armor", + "22% 14% 14%", + "17%", + "3", + "–", + "350", + "8.0", + "Prevents Pain and Confusion by 50%", + "Body Armor" + ], + [ + "", + "Caldera Mail Boots", + "10% 7% 7%", + "12%", + "2", + "–", + "350", + "5.0", + "Prevents Pain and Confusion by 25%", + "Boots" + ], + [ + "", + "Caldera Mail Helm", + "11% 7% 7%", + "9%", + "3", + "7%", + "350", + "3.0", + "Prevents Pain and Confusion by 25%", + "Helmets" + ] + ] + } + ], + "description": "Caldera Mail Set is a Set in Outward." + }, + { + "name": "Calixa's Relic", + "url": "https://outward.fandom.com/wiki/Calixa%27s_Relic", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Object ID": "6600225", + "Sell": "60", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1b/Calixa%E2%80%99s_Relic.png/revision/latest/scale-to-width-down/83?cb=20190629155229", + "recipes": [ + { + "result": "Caged Armor Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Calixa's Relic", + "Flowering Corruption" + ], + "station": "None", + "source_page": "Calixa's Relic" + }, + { + "result": "Challenger Greathammer", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Haunted Memory", + "Calixa's Relic" + ], + "station": "None", + "source_page": "Calixa's Relic" + }, + { + "result": "Griigmerk kÄramerk", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Scourge's Tears", + "Haunted Memory", + "Calixa's Relic" + ], + "station": "None", + "source_page": "Calixa's Relic" + }, + { + "result": "Krypteia Boots", + "result_count": "1x", + "ingredients": [ + "Scourge's Tears", + "Pearlbird's Courage", + "Calixa's Relic", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Calixa's Relic" + }, + { + "result": "Maelstrom Blade", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Elatt's Relic", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Calixa's Relic" + }, + { + "result": "Pain in the Axe", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Scourge's Tears", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Calixa's Relic" + }, + { + "result": "Pilgrim Boots", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Haunted Memory", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Calixa's Relic" + }, + { + "result": "Shock Armor", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Scourge's Tears", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Calixa's Relic" + }, + { + "result": "Shock Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Calixa's Relic", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Calixa's Relic" + }, + { + "result": "Squire Attire", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Elatt's Relic", + "Calixa's Relic", + "Haunted Memory" + ], + "station": "None", + "source_page": "Calixa's Relic" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's GenerosityElatt's RelicCalixa's RelicFlowering Corruption", + "result": "1x Caged Armor Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageHaunted MemoryCalixa's Relic", + "result": "1x Challenger Greathammer", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityScourge's TearsHaunted MemoryCalixa's Relic", + "result": "1x Griigmerk kÄramerk", + "station": "None" + }, + { + "ingredients": "Scourge's TearsPearlbird's CourageCalixa's RelicCalygrey's Wisdom", + "result": "1x Krypteia Boots", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageElatt's RelicCalixa's RelicVendavel's Hospitality", + "result": "1x Maelstrom Blade", + "station": "None" + }, + { + "ingredients": "Elatt's RelicScourge's TearsCalixa's RelicVendavel's Hospitality", + "result": "1x Pain in the Axe", + "station": "None" + }, + { + "ingredients": "Elatt's RelicHaunted MemoryCalixa's RelicVendavel's Hospitality", + "result": "1x Pilgrim Boots", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageScourge's TearsCalixa's RelicVendavel's Hospitality", + "result": "1x Shock Armor", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityCalixa's RelicLeyline FigmentVendavel's Hospitality", + "result": "1x Shock Boots", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageElatt's RelicCalixa's RelicHaunted Memory", + "result": "1x Squire Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Caged Armor Boots", + "Gep's GenerosityElatt's RelicCalixa's RelicFlowering Corruption", + "None" + ], + [ + "1x Challenger Greathammer", + "Gep's GenerosityPearlbird's CourageHaunted MemoryCalixa's Relic", + "None" + ], + [ + "1x Griigmerk kÄramerk", + "Gep's GenerosityScourge's TearsHaunted MemoryCalixa's Relic", + "None" + ], + [ + "1x Krypteia Boots", + "Scourge's TearsPearlbird's CourageCalixa's RelicCalygrey's Wisdom", + "None" + ], + [ + "1x Maelstrom Blade", + "Pearlbird's CourageElatt's RelicCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Pain in the Axe", + "Elatt's RelicScourge's TearsCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Pilgrim Boots", + "Elatt's RelicHaunted MemoryCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Shock Armor", + "Pearlbird's CourageScourge's TearsCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Shock Boots", + "Gep's GenerosityCalixa's RelicLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Squire Attire", + "Pearlbird's CourageElatt's RelicCalixa's RelicHaunted Memory", + "None" + ] + ] + } + ], + "description": "Calixa's Relic is an item in Outward." + }, + { + "name": "Calygrey Bone Cage", + "url": "https://outward.fandom.com/wiki/Calygrey_Bone_Cage", + "categories": [ + "DLC: The Three Brothers", + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "32", + "Class": "Deployable", + "DLC": "The Three Brothers", + "Duration": "2400 seconds (40 minutes)", + "Effects": "Restore +0.25 Health per second+10% Physical damage bonus", + "Object ID": "5000210", + "Sell": "10", + "Type": "Sleep", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7a/Calygrey_Bone_Cage.png/revision/latest/scale-to-width-down/83?cb=20201220074742", + "effects": [ + "Restore +0.25 Health per second", + "+10% Physical damage bonus" + ], + "recipes": [ + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Calygrey Bone Cage" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Calygrey Bone Cage" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Calygrey Bone Cage" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Calygrey Bone Cage" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Calygrey Bone Cage" + } + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "Restore +0.25 Health per second+10% Physical damage bonus", + "name": "Sleep: Calygrey Bone Cage" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Calygrey Bone Cage", + "2400 seconds (40 minutes)", + "Restore +0.25 Health per second+10% Physical damage bonus" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "10%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ] + ] + } + ], + "description": "Calygrey Bone Cage is an Item in Outward." + }, + { + "name": "Calygrey Hairs", + "url": "https://outward.fandom.com/wiki/Calygrey_Hairs", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "DLC": "The Three Brothers", + "Object ID": "6000290", + "Sell": "18", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ad/Calygrey_Hairs.png/revision/latest/scale-to-width-down/83?cb=20201220074743", + "recipes": [ + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Calygrey Hairs" + }, + { + "result": "Slayer's Boots", + "result_count": "1x", + "ingredients": [ + "Gargoyle Urn Shard", + "Calygrey Hairs", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Calygrey Hairs" + }, + { + "result": "Spark Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Calygrey Hairs", + "Sulphuric Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Calygrey Hairs" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Gargoyle Urn ShardCalygrey HairsPalladium Scrap", + "result": "1x Slayer's Boots", + "station": "None" + }, + { + "ingredients": "Bomb KitCalygrey HairsSulphuric Mushroom", + "result": "1x Spark Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ], + [ + "1x Slayer's Boots", + "Gargoyle Urn ShardCalygrey HairsPalladium Scrap", + "None" + ], + [ + "1x Spark Bomb", + "Bomb KitCalygrey HairsSulphuric Mushroom", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Calygrey" + }, + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Calygrey Hero" + }, + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Elder Calygrey" + } + ], + "raw_rows": [ + [ + "Calygrey", + "1 - 2", + "100%" + ], + [ + "Calygrey Hero", + "1 - 2", + "100%" + ], + [ + "Elder Calygrey", + "1 - 2", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Calygrey Hairs is an Item in Outward." + }, + { + "name": "Calygrey Mace", + "url": "https://outward.fandom.com/wiki/Calygrey_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "200", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "22.78 11.22", + "Durability": "350", + "Impact": "42", + "Object ID": "2020320", + "Sell": "60", + "Stamina Cost": "6.875", + "Type": "One-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a0/Calygrey_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220074744", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Calygrey Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "22.78 11.22", + "description": "Two wide-sweeping strikes, right to left", + "impact": "42", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.94", + "damage": "29.61 14.59", + "description": "Slow, overhead strike with high impact", + "impact": "105", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.94", + "damage": "29.61 14.59", + "description": "Fast, forward-thrusting strike", + "impact": "54.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.94", + "damage": "29.61 14.59", + "description": "Fast, forward-thrusting strike", + "impact": "54.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "22.78 11.22", + "42", + "6.875", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "29.61 14.59", + "105", + "8.94", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "29.61 14.59", + "54.6", + "8.94", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "29.61 14.59", + "54.6", + "8.94", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Calygrey" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Calygrey Hero" + } + ], + "raw_rows": [ + [ + "Calygrey", + "1", + "100%" + ], + [ + "Calygrey Hero", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Calygrey Mace is a type of Weapon in Outward." + }, + { + "name": "Calygrey Staff", + "url": "https://outward.fandom.com/wiki/Calygrey_Staff", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "250", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "27 3", + "Damage Bonus": "20%", + "Durability": "200", + "Impact": "40", + "Mana Cost": "-15%", + "Object ID": "2150160", + "Sell": "75", + "Stamina Cost": "6.875", + "Type": "Staff", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/82/Calygrey_Staff.png/revision/latest/scale-to-width-down/83?cb=20201223084658", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "27 3", + "description": "Two wide-sweeping strikes, left to right", + "impact": "40", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.59", + "damage": "35.1 3.9", + "description": "Forward-thrusting strike", + "impact": "52", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.59", + "damage": "35.1 3.9", + "description": "Wide-sweeping strike from left", + "impact": "52", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.03", + "damage": "45.9 5.1", + "description": "Slow but powerful sweeping strike", + "impact": "68", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "27 3", + "40", + "6.875", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "35.1 3.9", + "52", + "8.59", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "35.1 3.9", + "52", + "8.59", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "45.9 5.1", + "68", + "12.03", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Elder Calygrey" + } + ], + "raw_rows": [ + [ + "Elder Calygrey", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Calygrey Staff is a type of Weapon in Outward." + }, + { + "name": "Calygrey's Wisdom", + "url": "https://outward.fandom.com/wiki/Calygrey%27s_Wisdom", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "250", + "DLC": "The Three Brothers", + "Object ID": "6600233", + "Sell": "75", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/56/Calygrey%27s_Wisdom.png/revision/latest/scale-to-width-down/83?cb=20201220074746", + "recipes": [ + { + "result": "Frostburn Staff", + "result_count": "1x", + "ingredients": [ + "Leyline Figment", + "Scarlet Whisper", + "Noble's Greed", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Calygrey's Wisdom" + }, + { + "result": "Krypteia Boots", + "result_count": "1x", + "ingredients": [ + "Scourge's Tears", + "Pearlbird's Courage", + "Calixa's Relic", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Calygrey's Wisdom" + }, + { + "result": "Manticore Egg", + "result_count": "1x", + "ingredients": [ + "Vendavel's Hospitality", + "Scourge's Tears", + "Noble's Greed", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Calygrey's Wisdom" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Leyline FigmentScarlet WhisperNoble's GreedCalygrey's Wisdom", + "result": "1x Frostburn Staff", + "station": "None" + }, + { + "ingredients": "Scourge's TearsPearlbird's CourageCalixa's RelicCalygrey's Wisdom", + "result": "1x Krypteia Boots", + "station": "None" + }, + { + "ingredients": "Vendavel's HospitalityScourge's TearsNoble's GreedCalygrey's Wisdom", + "result": "1x Manticore Egg", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Frostburn Staff", + "Leyline FigmentScarlet WhisperNoble's GreedCalygrey's Wisdom", + "None" + ], + [ + "1x Krypteia Boots", + "Scourge's TearsPearlbird's CourageCalixa's RelicCalygrey's Wisdom", + "None" + ], + [ + "1x Manticore Egg", + "Vendavel's HospitalityScourge's TearsNoble's GreedCalygrey's Wisdom", + "None" + ] + ] + } + ], + "description": "Calygrey's Wisdom is an Item in Outward." + }, + { + "name": "Camouflaged Tent", + "url": "https://outward.fandom.com/wiki/Camouflaged_Tent", + "categories": [ + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "50", + "Class": "Deployable", + "Duration": "2400 seconds (40 minutes)", + "Effects": "+5% Stealth-10% Stamina cost of actions", + "Object ID": "5000030", + "Sell": "15", + "Type": "Sleep", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ea/Camouflaged_Tent.png/revision/latest?cb=20190419091534", + "effects": [ + "Ambush chance greatly reduced", + "Grants the \"Sleep: Camo Tent\" buff:", + "+5% Stealth", + "-10% Stamina cost of actions" + ], + "recipes": [ + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Camouflaged Tent" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Camouflaged Tent" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Camouflaged Tent" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Camouflaged Tent" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Camouflaged Tent" + } + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "+5% Stealth-10% Stamina cost of actions", + "name": "Sleep: Camo Tent" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Camo Tent", + "2400 seconds (40 minutes)", + "+5% Stealth-10% Stamina cost of actions" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + }, + { + "chance": "48.8%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ], + [ + "David Parks, Craftsman", + "1 - 3", + "48.8%", + "Harmattan" + ] + ] + } + ], + "description": "Camouflaged Tent is a type of tent in Outward, used for Resting." + }, + { + "name": "Campfire Kit", + "url": "https://outward.fandom.com/wiki/Campfire_Kit", + "categories": [ + "Deployable", + "Items" + ], + "infobox": { + "Buy": "–", + "Class": "Deployable", + "Object ID": "5000101", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3e/Campfire_Kit.png/revision/latest?cb=20190416134919", + "effects": [ + "Increases nearby characters' temperatures by +14 to +28 depending on distance" + ], + "recipes": [ + { + "result": "Campfire Kit", + "result_count": "1x", + "ingredients": [ + "Wood", + "Wood", + "Wood" + ], + "station": "None", + "source_page": "Campfire Kit" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Wood Wood Wood", + "result": "1x Campfire Kit", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Campfire Kit", + "Wood Wood Wood", + "None" + ] + ] + } + ], + "description": "Campfire Kit is a deployable item in Outward." + }, + { + "name": "Candle Plate Armor", + "url": "https://outward.fandom.com/wiki/Candle_Plate_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "1050", + "Cold Weather Def.": "6", + "Corruption Resist": "10%", + "Damage Resist": "28% 30% 30%", + "Durability": "530", + "Hot Weather Def.": "-12", + "Impact Resist": "23%", + "Item Set": "Candle Plate Set", + "Movement Speed": "-6%", + "Object ID": "3100040", + "Protection": "3", + "Sell": "349", + "Slot": "Chest", + "Stamina Cost": "6%", + "Weight": "18.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ec/Candle_Plate_Armor.png/revision/latest?cb=20190415113224", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Candle Plate Armor is a type of Armor in Outward." + }, + { + "name": "Candle Plate Boots", + "url": "https://outward.fandom.com/wiki/Candle_Plate_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "525", + "Cold Weather Def.": "3", + "Corruption Resist": "5%", + "Damage Resist": "20% 15% 15%", + "Durability": "530", + "Impact Resist": "13%", + "Item Set": "Candle Plate Set", + "Movement Speed": "-4%", + "Object ID": "3100042", + "Protection": "2", + "Sell": "174", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/72/Candle_Plate_Boots.png/revision/latest?cb=20190415151907", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Candle Plate Boots is a type of Armor in Outward." + }, + { + "name": "Candle Plate Helm", + "url": "https://outward.fandom.com/wiki/Candle_Plate_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "525", + "Cold Weather Def.": "3", + "Corruption Resist": "5%", + "Damage Resist": "20% 15% 15%", + "Durability": "530", + "Impact Resist": "13%", + "Item Set": "Candle Plate Set", + "Mana Cost": "15%", + "Movement Speed": "-4%", + "Object ID": "3100041", + "Protection": "2", + "Sell": "158", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7e/Candle_Plate_Helm.png/revision/latest?cb=20190407194017", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Candle Plate Helm is a type of Armor in Outward." + }, + { + "name": "Candle Plate Set", + "url": "https://outward.fandom.com/wiki/Candle_Plate_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "2100", + "Cold Weather Def.": "12", + "Corruption Resist": "20%", + "Damage Resist": "68% 60% 60%", + "Durability": "1590", + "Hot Weather Def.": "-12", + "Impact Resist": "49%", + "Mana Cost": "15%", + "Movement Speed": "-14%", + "Object ID": "3100040 (Chest)3100042 (Legs)3100041 (Head)", + "Protection": "7", + "Sell": "681", + "Slot": "Set", + "Stamina Cost": "14%", + "Weight": "38.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b1/Candle_Plate_Set.png/revision/latest/scale-to-width-down/250?cb=20211205115441", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Column 11", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "10%", + "column_11": "-6%", + "column_4": "23%", + "column_5": "3", + "column_6": "-12", + "column_7": "6", + "column_8": "6%", + "column_9": "–", + "durability": "530", + "name": "Candle Plate Armor", + "resistances": "28% 30% 30%", + "weight": "18.0" + }, + { + "class": "Boots", + "column_10": "5%", + "column_11": "-4%", + "column_4": "13%", + "column_5": "2", + "column_6": "–", + "column_7": "3", + "column_8": "4%", + "column_9": "–", + "durability": "530", + "name": "Candle Plate Boots", + "resistances": "20% 15% 15%", + "weight": "12.0" + }, + { + "class": "Helmets", + "column_10": "5%", + "column_11": "-4%", + "column_4": "13%", + "column_5": "2", + "column_6": "–", + "column_7": "3", + "column_8": "4%", + "column_9": "15%", + "durability": "530", + "name": "Candle Plate Helm", + "resistances": "20% 15% 15%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Candle Plate Armor", + "28% 30% 30%", + "23%", + "3", + "-12", + "6", + "6%", + "–", + "10%", + "-6%", + "530", + "18.0", + "Body Armor" + ], + [ + "", + "Candle Plate Boots", + "20% 15% 15%", + "13%", + "2", + "–", + "3", + "4%", + "–", + "5%", + "-4%", + "530", + "12.0", + "Boots" + ], + [ + "", + "Candle Plate Helm", + "20% 15% 15%", + "13%", + "2", + "–", + "3", + "4%", + "15%", + "5%", + "-4%", + "530", + "8.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Column 11", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "10%", + "column_11": "-6%", + "column_4": "23%", + "column_5": "3", + "column_6": "-12", + "column_7": "6", + "column_8": "6%", + "column_9": "–", + "durability": "530", + "name": "Candle Plate Armor", + "resistances": "28% 30% 30%", + "weight": "18.0" + }, + { + "class": "Boots", + "column_10": "5%", + "column_11": "-4%", + "column_4": "13%", + "column_5": "2", + "column_6": "–", + "column_7": "3", + "column_8": "4%", + "column_9": "–", + "durability": "530", + "name": "Candle Plate Boots", + "resistances": "20% 15% 15%", + "weight": "12.0" + }, + { + "class": "Helmets", + "column_10": "5%", + "column_11": "-4%", + "column_4": "13%", + "column_5": "2", + "column_6": "–", + "column_7": "3", + "column_8": "4%", + "column_9": "15%", + "durability": "530", + "name": "Candle Plate Helm", + "resistances": "20% 15% 15%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Candle Plate Armor", + "28% 30% 30%", + "23%", + "3", + "-12", + "6", + "6%", + "–", + "10%", + "-6%", + "530", + "18.0", + "Body Armor" + ], + [ + "", + "Candle Plate Boots", + "20% 15% 15%", + "13%", + "2", + "–", + "3", + "4%", + "–", + "5%", + "-4%", + "530", + "12.0", + "Boots" + ], + [ + "", + "Candle Plate Helm", + "20% 15% 15%", + "13%", + "2", + "–", + "3", + "4%", + "15%", + "5%", + "-4%", + "530", + "8.0", + "Helmets" + ] + ] + } + ], + "description": "Candle Plate Set is a Set in Outward. It is a unique armor set that can be obtained through completion of the Holy Mission faction main storyline quest." + }, + { + "name": "Cannon Pistol", + "url": "https://outward.fandom.com/wiki/Cannon_Pistol", + "categories": [ + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Pistols", + "Damage": "59", + "Durability": "250", + "Effects": "Confusion", + "Impact": "100", + "Object ID": "5110110", + "Sell": "60", + "Type": "Off-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/32/Cannon_Pistol.png/revision/latest?cb=20190406064559", + "effects": [ + "Inflicts Confusion (100% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Pistol", + "result_count": "1x", + "ingredients": [ + "Cannon Pistol", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Cannon Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cannon PistolHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Pistol", + "Cannon PistolHorror ChitinOccult RemainsPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "36%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "9.1%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "1", + "100%", + "Levant" + ], + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Lawrence Dakers, Hunter", + "1 - 2", + "36%", + "Harmattan" + ], + [ + "Gold Belly", + "1", + "9.1%", + "Giants' Village" + ], + [ + "Silver-Nose the Trader", + "1", + "9.1%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "8.3%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "100%", + "Levant" + ], + [ + "Ornate Chest", + "1", + "8.3%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Cannon Pistol is one of the Pistols in Outward. It uses Bullets as ammunition, and can be used by activating the Fire and Reload skill." + }, + { + "name": "Cauldron Helm", + "url": "https://outward.fandom.com/wiki/Cauldron_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Damage Resist": "8%", + "Durability": "200", + "Impact Resist": "15%", + "Mana Cost": "100%", + "Movement Speed": "-4%", + "Object ID": "3100050", + "Sell": "6", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0c/Cauldron_Helm.png/revision/latest?cb=20190411084741", + "recipes": [ + { + "result": "Cauldron Helm", + "result_count": "1x", + "ingredients": [ + "Cooking Pot" + ], + "station": "None", + "source_page": "Cauldron Helm" + }, + { + "result": "Cooking Pot", + "result_count": "1x", + "ingredients": [ + "Cauldron Helm" + ], + "station": "None", + "source_page": "Cauldron Helm" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cooking Pot", + "result": "1x Cauldron Helm", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cauldron Helm", + "Cooking Pot", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cauldron Helm", + "result": "1x Cooking Pot", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cooking Pot", + "Cauldron Helm", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Hunger depletion rate -75%Drink depletion rate -75%", + "enchantment": "Abundance" + }, + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Abundance", + "Hunger depletion rate -75%Drink depletion rate -75%" + ], + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Cauldron Helm is a craftable type of Armor in Outward." + }, + { + "name": "Cecropia Incense", + "url": "https://outward.fandom.com/wiki/Cecropia_Incense", + "categories": [ + "DLC: The Soroboreans", + "Incense", + "Items" + ], + "infobox": { + "Buy": "250", + "Class": "Incense", + "DLC": "The Soroboreans", + "Object ID": "6000270", + "Sell": "75", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f4/Cecropia_Incense.png/revision/latest/scale-to-width-down/83?cb=20200616185324", + "recipes": [ + { + "result": "Cecropia Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Decay" + ], + "station": "Alchemy Kit", + "source_page": "Cecropia Incense" + }, + { + "result": "Comet Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Decay", + "Cecropia Incense" + ], + "station": "Alchemy Kit", + "source_page": "Cecropia Incense" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's Root Dreamer's Root Elemental Particle – Decay", + "result": "4x Cecropia Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Cecropia Incense", + "Dreamer's Root Dreamer's Root Elemental Particle – Decay", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – DecayCecropia Incense", + "result": "4x Comet Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Comet Incense", + "Purifying QuartzTourmalineElemental Particle – DecayCecropia Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.4%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "24.4%", + "Forgotten Research Laboratory" + ] + ] + }, + { + "title": "Used In Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Changes the color of the lantern to Red and effects of Flamethrower to Decay. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit.", + "enchantment": "Sanguine Flame" + } + ], + "raw_rows": [ + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Sanguine Flame", + "Changes the color of the lantern to Red and effects of Flamethrower to Decay. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit." + ] + ] + } + ], + "description": "Cecropia Incense is an Item in Outward, used in Enchanting." + }, + { + "name": "Ceremonial Bow", + "url": "https://outward.fandom.com/wiki/Ceremonial_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "35", + "Durability": "200", + "Impact": "16", + "Object ID": "2200190", + "Sell": "300", + "Stamina Cost": "2.99", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6c/Ceremonial_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220074747", + "recipes": [ + { + "result": "Murmure", + "result_count": "1x", + "ingredients": [ + "Ceremonial Bow", + "Pearlbird Mask" + ], + "station": "None", + "source_page": "Ceremonial Bow" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ceremonial BowPearlbird Mask", + "result": "1x Murmure", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Murmure", + "Ceremonial BowPearlbird Mask", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Ceremonial Bow is a type of Weapon in Outward." + }, + { + "name": "Cerulean Sabre", + "url": "https://outward.fandom.com/wiki/Cerulean_Sabre", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Swords", + "Damage": "33", + "Durability": "300", + "Impact": "24", + "Object ID": "2000021", + "Sell": "240", + "Stamina Cost": "4.55", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d2/Cerulean_Sabre.png/revision/latest/scale-to-width-down/83?cb=20190629155306", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Cerulean Sabre" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.55", + "damage": "33", + "description": "Two slash attacks, left to right", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.46", + "damage": "49.34", + "description": "Forward-thrusting strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "41.75", + "description": "Heavy left-lunging strike", + "impact": "26.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "41.75", + "description": "Heavy right-lunging strike", + "impact": "26.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "24", + "4.55", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "49.34", + "31.2", + "5.46", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "41.75", + "26.4", + "5.01", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "41.75", + "26.4", + "5.01", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Steel Sabre", + "upgrade": "Cerulean Sabre" + } + ], + "raw_rows": [ + [ + "Steel Sabre", + "Cerulean Sabre" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon inflicts Scorched, Chill, Curse, Doom, Haunted, all with 21% buildupWeapon gains +0.1 flat Attack Speed", + "enchantment": "Rainbow Hex" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rainbow Hex", + "Weapon inflicts Scorched, Chill, Curse, Doom, Haunted, all with 21% buildupWeapon gains +0.1 flat Attack Speed" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Cerulean Sabre is a type of One-Handed Sword weapon in Outward." + }, + { + "name": "Chakram", + "url": "https://outward.fandom.com/wiki/Chakram", + "categories": [ + "Items", + "Weapons", + "Chakrams", + "Off-Handed Weapons" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "90", + "Class": "Chakrams", + "Damage": "30", + "Durability": "350", + "Impact": "32", + "Object ID": "5110030", + "Sell": "27", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c4/Chakram.png/revision/latest?cb=20190406073257", + "recipes": [ + { + "result": "Obsidian Chakram", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Chakram" + ], + "station": "None", + "source_page": "Chakram" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian ShardPalladium ScrapChakram", + "result": "1x Obsidian Chakram", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Chakram", + "Obsidian ShardPalladium ScrapChakram", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1", + "100%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1", + "100%", + "Cierzo" + ], + [ + "Luc Salaberry, Alchemist", + "1", + "100%", + "New Sirocco" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.9%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "1.9%", + "locations": "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "1.9%", + "locations": "Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "1.9%", + "Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "1.9%", + "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility" + ], + [ + "Soldier's Corpse", + "1", + "1.9%", + "Wendigo Lair" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Chakram is one of the Chakrams in Outward." + }, + { + "name": "Chalcedony", + "url": "https://outward.fandom.com/wiki/Chalcedony", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "30", + "Class": "Ingredient", + "DLC": "The Three Brothers", + "Object ID": "6400160", + "Sell": "9", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7c/Chalcedony.png/revision/latest/scale-to-width-down/83?cb=20201220074808", + "recipes": [ + { + "result": "Chalcedony Axe", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Axe" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Bow", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Bow" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Chakram", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Chakram" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Claymore", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Claymore" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Greataxe", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Greataxe" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Halberd", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Halberd" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Hammer", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Militia Hammer", + "Nephrite Gemstone" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Knuckles", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Knuckles" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Mace", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Militia Mace", + "Nephrite Gemstone" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Pistol", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Palladium Scrap", + "Flintlock Pistol" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Spear", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Spear" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Sword", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Sword" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Frost Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Chalcedony", + "Sulphuric Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Chalcedony" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Armor", + "result_count": "1x", + "ingredients": [ + "600 silver", + "1x Nephrite Gemstone", + "5x Chalcedony" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Boots", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Nephrite Gemstone", + "3x Chalcedony" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Chalcedony" + }, + { + "result": "Chalcedony Helmet", + "result_count": "1x", + "ingredients": [ + "400 silver", + "1x Nephrite Gemstone", + "3x Chalcedony" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Chalcedony" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyNephrite GemstoneMilitia Axe", + "result": "1x Chalcedony Axe", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Bow", + "result": "1x Chalcedony Bow", + "station": "None" + }, + { + "ingredients": "ChalcedonyNephrite GemstoneMilitia Chakram", + "result": "1x Chalcedony Chakram", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Claymore", + "result": "1x Chalcedony Claymore", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Greataxe", + "result": "1x Chalcedony Greataxe", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Halberd", + "result": "1x Chalcedony Halberd", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyMilitia HammerNephrite Gemstone", + "result": "1x Chalcedony Hammer", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Knuckles", + "result": "1x Chalcedony Knuckles", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyMilitia MaceNephrite Gemstone", + "result": "1x Chalcedony Mace", + "station": "None" + }, + { + "ingredients": "ChalcedonyPalladium ScrapFlintlock Pistol", + "result": "1x Chalcedony Pistol", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Spear", + "result": "1x Chalcedony Spear", + "station": "None" + }, + { + "ingredients": "ChalcedonyNephrite GemstoneMilitia Sword", + "result": "1x Chalcedony Sword", + "station": "None" + }, + { + "ingredients": "Bomb KitChalcedonySulphuric Mushroom", + "result": "1x Frost Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Axe", + "ChalcedonyNephrite GemstoneMilitia Axe", + "None" + ], + [ + "1x Chalcedony Bow", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Bow", + "None" + ], + [ + "1x Chalcedony Chakram", + "ChalcedonyNephrite GemstoneMilitia Chakram", + "None" + ], + [ + "1x Chalcedony Claymore", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Claymore", + "None" + ], + [ + "1x Chalcedony Greataxe", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Greataxe", + "None" + ], + [ + "1x Chalcedony Halberd", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Halberd", + "None" + ], + [ + "1x Chalcedony Hammer", + "ChalcedonyChalcedonyMilitia HammerNephrite Gemstone", + "None" + ], + [ + "1x Chalcedony Knuckles", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Knuckles", + "None" + ], + [ + "1x Chalcedony Mace", + "ChalcedonyChalcedonyMilitia MaceNephrite Gemstone", + "None" + ], + [ + "1x Chalcedony Pistol", + "ChalcedonyPalladium ScrapFlintlock Pistol", + "None" + ], + [ + "1x Chalcedony Spear", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Spear", + "None" + ], + [ + "1x Chalcedony Sword", + "ChalcedonyNephrite GemstoneMilitia Sword", + "None" + ], + [ + "1x Frost Bomb", + "Bomb KitChalcedonySulphuric Mushroom", + "Alchemy Kit" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "600 silver1x Nephrite Gemstone5x Chalcedony", + "result": "1x Chalcedony Armor", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "300 silver1x Nephrite Gemstone3x Chalcedony", + "result": "1x Chalcedony Boots", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "400 silver1x Nephrite Gemstone3x Chalcedony", + "result": "1x Chalcedony Helmet", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Armor", + "600 silver1x Nephrite Gemstone5x Chalcedony", + "Sal Dumas, Blacksmith" + ], + [ + "1x Chalcedony Boots", + "300 silver1x Nephrite Gemstone3x Chalcedony", + "Sal Dumas, Blacksmith" + ], + [ + "1x Chalcedony Helmet", + "400 silver1x Nephrite Gemstone3x Chalcedony", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Chalcedony Vein" + } + ], + "raw_rows": [ + [ + "Chalcedony Vein", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Quartz Elemental" + }, + { + "chance": "20%", + "quantity": "1 - 2", + "source": "Quartz Beetle" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Giant Hunter" + }, + { + "chance": "5.9%", + "quantity": "1", + "source": "Quartz Gastrocin" + } + ], + "raw_rows": [ + [ + "Quartz Elemental", + "1", + "100%" + ], + [ + "Quartz Beetle", + "1 - 2", + "20%" + ], + [ + "Giant Hunter", + "1", + "14.3%" + ], + [ + "Quartz Gastrocin", + "1", + "5.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony is an Item in Outward." + }, + { + "name": "Chalcedony Armor", + "url": "https://outward.fandom.com/wiki/Chalcedony_Armor", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Barrier": "4", + "Buy": "700", + "DLC": "The Three Brothers", + "Damage Resist": "20%", + "Durability": "450", + "Impact Resist": "19%", + "Item Set": "Chalcedony Set", + "Movement Speed": "-4%", + "Object ID": "3100400", + "Protection": "6", + "Sell": "210", + "Slot": "Chest", + "Stamina Cost": "6%", + "Weight": "21" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/dd/Chalcedony_Armor.png/revision/latest/scale-to-width-down/83?cb=20201220074748", + "recipes": [ + { + "result": "Chalcedony Armor", + "result_count": "1x", + "ingredients": [ + "600 silver", + "1x Nephrite Gemstone", + "5x Chalcedony" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Chalcedony Armor" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "600 silver1x Nephrite Gemstone5x Chalcedony", + "result": "1x Chalcedony Armor", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Armor", + "600 silver1x Nephrite Gemstone5x Chalcedony", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Chalcedony Armor is a type of Equipment in Outward." + }, + { + "name": "Chalcedony Axe", + "url": "https://outward.fandom.com/wiki/Chalcedony_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "500", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "16 16", + "Durability": "300", + "Effects": "Slow Down", + "Impact": "22", + "Item Set": "Chalcedony Set", + "Object ID": "2010240", + "Sell": "150", + "Stamina Cost": "5", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6c/Chalcedony_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220074749", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Axe", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Axe" + ], + "station": "None", + "source_page": "Chalcedony Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "16 16", + "description": "Two slashing strikes, right to left", + "impact": "22", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6", + "damage": "20.8 20.8", + "description": "Fast, triple-attack strike", + "impact": "28.6", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6", + "damage": "20.8 20.8", + "description": "Quick double strike", + "impact": "28.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6", + "damage": "20.8 20.8", + "description": "Wide-sweeping double strike", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "16 16", + "22", + "5", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "20.8 20.8", + "28.6", + "6", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "20.8 20.8", + "28.6", + "6", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.8 20.8", + "28.6", + "6", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Nephrite Gemstone Militia Axe", + "result": "1x Chalcedony Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Axe", + "Chalcedony Nephrite Gemstone Militia Axe", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony Axe is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Backpack", + "url": "https://outward.fandom.com/wiki/Chalcedony_Backpack", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "350", + "Capacity": "80", + "Class": "Backpacks", + "DLC": "The Three Brothers", + "Durability": "∞", + "Effects": "+15 Hot Weather protection", + "Inventory Protection": "2", + "Object ID": "5380002", + "Sell": "105", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3a/Chalcedony_Backpack.png/revision/latest/scale-to-width-down/83?cb=20201220074751", + "effects": [ + "+15 Hot Weather protection" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Patrick Arago, General Store", + "1", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony Backpack is a type of Equipment in Outward." + }, + { + "name": "Chalcedony Boots", + "url": "https://outward.fandom.com/wiki/Chalcedony_Boots", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Barrier": "2", + "Buy": "350", + "DLC": "The Three Brothers", + "Damage Resist": "14%", + "Durability": "450", + "Hot Weather Def.": "10", + "Impact Resist": "12%", + "Item Set": "Chalcedony Set", + "Movement Speed": "-3%", + "Object ID": "3100402", + "Protection": "4", + "Sell": "105", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "12" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b0/Chalcedony_Boots.png/revision/latest/scale-to-width-down/83?cb=20201220074752", + "recipes": [ + { + "result": "Chalcedony Boots", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Nephrite Gemstone", + "3x Chalcedony" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Chalcedony Boots" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver1x Nephrite Gemstone3x Chalcedony", + "result": "1x Chalcedony Boots", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Boots", + "300 silver1x Nephrite Gemstone3x Chalcedony", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Chalcedony Boots is a type of Equipment in Outward." + }, + { + "name": "Chalcedony Bow", + "url": "https://outward.fandom.com/wiki/Chalcedony_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "375", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "25.2 4.8", + "Durability": "250", + "Effects": "Chill", + "Impact": "17", + "Item Set": "Chalcedony Set", + "Object ID": "2200170", + "Sell": "112", + "Stamina Cost": "2.875", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/99/Chalcedony_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220074753", + "effects": [ + "Inflicts Chill (33% buildup)" + ], + "effect_links": [ + "/wiki/Chill", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Bow", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Bow" + ], + "station": "None", + "source_page": "Chalcedony Bow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Chalcedony Nephrite Gemstone Militia Bow", + "result": "1x Chalcedony Bow", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Bow", + "Chalcedony Chalcedony Nephrite Gemstone Militia Bow", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Chalcedony Bow is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Chakram", + "url": "https://outward.fandom.com/wiki/Chalcedony_Chakram", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "500", + "Class": "Chakrams", + "DLC": "The Three Brothers", + "Damage": "24.5 10.5", + "Durability": "250", + "Effects": "Slow Down", + "Impact": "27", + "Item Set": "Chalcedony Set", + "Object ID": "5110102", + "Sell": "150", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Chalcedony_Chakram.png/revision/latest/scale-to-width-down/83?cb=20201220074754", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Chakram", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Chakram" + ], + "station": "None", + "source_page": "Chalcedony Chakram" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Nephrite Gemstone Militia Chakram", + "result": "1x Chalcedony Chakram", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Chakram", + "Chalcedony Nephrite Gemstone Militia Chakram", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + } + ], + "description": "Chalcedony Chakram is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Claymore", + "url": "https://outward.fandom.com/wiki/Chalcedony_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "575", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "19.5 19.5", + "Durability": "325", + "Effects": "Slow Down", + "Impact": "35", + "Item Set": "Chalcedony Set", + "Object ID": "2100260", + "Sell": "172", + "Stamina Cost": "6.875", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c4/Chalcedony_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220074756", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Claymore", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Claymore" + ], + "station": "None", + "source_page": "Chalcedony Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "19.5 19.5", + "description": "Two slashing strikes, left to right", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.94", + "damage": "29.25 29.25", + "description": "Overhead downward-thrusting strike", + "impact": "52.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.56", + "damage": "24.67 24.67", + "description": "Spinning strike from the right", + "impact": "38.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.56", + "damage": "24.67 24.67", + "description": "Spinning strike from the left", + "impact": "38.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "19.5 19.5", + "35", + "6.875", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "29.25 29.25", + "52.5", + "8.94", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "24.67 24.67", + "38.5", + "7.56", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "24.67 24.67", + "38.5", + "7.56", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Chalcedony Nephrite Gemstone Militia Claymore", + "result": "1x Chalcedony Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Claymore", + "Chalcedony Chalcedony Nephrite Gemstone Militia Claymore", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony Claymore is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Greataxe", + "url": "https://outward.fandom.com/wiki/Chalcedony_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "575", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "20 20", + "Durability": "325", + "Effects": "Slow Down", + "Impact": "33", + "Item Set": "Chalcedony Set", + "Object ID": "2110220", + "Sell": "172", + "Stamina Cost": "6.875", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fd/Chalcedony_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220074757", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Greataxe", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Greataxe" + ], + "station": "None", + "source_page": "Chalcedony Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "20 20", + "description": "Two slashing strikes, left to right", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.45", + "damage": "26 26", + "description": "Uppercut strike into right sweep strike", + "impact": "42.9", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.45", + "damage": "26 26", + "description": "Left-spinning double strike", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.28", + "damage": "26 26", + "description": "Right-spinning double strike", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "20 20", + "33", + "6.875", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "26 26", + "42.9", + "9.45", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "26 26", + "42.9", + "9.45", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "26 26", + "42.9", + "9.28", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Chalcedony Nephrite Gemstone Militia Greataxe", + "result": "1x Chalcedony Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Greataxe", + "Chalcedony Chalcedony Nephrite Gemstone Militia Greataxe", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony Greataxe is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Halberd", + "url": "https://outward.fandom.com/wiki/Chalcedony_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "575", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "17.5 17.5", + "Durability": "325", + "Effects": "Slow Down", + "Impact": "37", + "Item Set": "Chalcedony Set", + "Object ID": "2150100", + "Sell": "172", + "Stamina Cost": "6.25", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bc/Chalcedony_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220074758", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Halberd", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Halberd" + ], + "station": "None", + "source_page": "Chalcedony Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.25", + "damage": "17.5 17.5", + "description": "Two wide-sweeping strikes, left to right", + "impact": "37", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.81", + "damage": "22.75 22.75", + "description": "Forward-thrusting strike", + "impact": "48.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.81", + "damage": "22.75 22.75", + "description": "Wide-sweeping strike from left", + "impact": "48.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.94", + "damage": "29.75 29.75", + "description": "Slow but powerful sweeping strike", + "impact": "62.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17.5 17.5", + "37", + "6.25", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "22.75 22.75", + "48.1", + "7.81", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "22.75 22.75", + "48.1", + "7.81", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "29.75 29.75", + "62.9", + "10.94", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Chalcedony Nephrite Gemstone Militia Halberd", + "result": "1x Chalcedony Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Halberd", + "Chalcedony Chalcedony Nephrite Gemstone Militia Halberd", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony Halberd is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Hammer", + "url": "https://outward.fandom.com/wiki/Chalcedony_Hammer", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "575", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "19 19", + "Durability": "325", + "Effects": "Slow Down", + "Impact": "43", + "Item Set": "Chalcedony Set", + "Object ID": "2120230", + "Sell": "172", + "Stamina Cost": "6.875", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3d/Chalcedony_Hammer.png/revision/latest/scale-to-width-down/83?cb=20201220074800", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Hammer", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Militia Hammer", + "Nephrite Gemstone" + ], + "station": "None", + "source_page": "Chalcedony Hammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "19 19", + "description": "Two slashing strikes, left to right", + "impact": "43", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.25", + "damage": "14.25 14.25", + "description": "Blunt strike with high impact", + "impact": "86", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.25", + "damage": "26.6 26.6", + "description": "Powerful overhead strike", + "impact": "60.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.25", + "damage": "26.6 26.6", + "description": "Forward-running uppercut strike", + "impact": "60.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "19 19", + "43", + "6.875", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "14.25 14.25", + "86", + "8.25", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "26.6 26.6", + "60.2", + "8.25", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "26.6 26.6", + "60.2", + "8.25", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Chalcedony Militia Hammer Nephrite Gemstone", + "result": "1x Chalcedony Hammer", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Hammer", + "Chalcedony Chalcedony Militia Hammer Nephrite Gemstone", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony Hammer is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Helmet", + "url": "https://outward.fandom.com/wiki/Chalcedony_Helmet", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Barrier": "2", + "Buy": "350", + "DLC": "The Three Brothers", + "Damage Resist": "14%", + "Durability": "450", + "Impact Resist": "10%", + "Item Set": "Chalcedony Set", + "Mana Cost": "15%", + "Movement Speed": "-3%", + "Object ID": "3100401", + "Protection": "4", + "Sell": "105", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "10" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ae/Chalcedony_Helmet.png/revision/latest/scale-to-width-down/83?cb=20201220074801", + "recipes": [ + { + "result": "Chalcedony Helmet", + "result_count": "1x", + "ingredients": [ + "400 silver", + "1x Nephrite Gemstone", + "3x Chalcedony" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Chalcedony Helmet" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "400 silver1x Nephrite Gemstone3x Chalcedony", + "result": "1x Chalcedony Helmet", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Helmet", + "400 silver1x Nephrite Gemstone3x Chalcedony", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Chalcedony Helmet is a type of Equipment in Outward." + }, + { + "name": "Chalcedony Knuckles", + "url": "https://outward.fandom.com/wiki/Chalcedony_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "500", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "14 14", + "Durability": "325", + "Effects": "Slow Down", + "Impact": "15", + "Item Set": "Chalcedony Set", + "Object ID": "2160190", + "Sell": "150", + "Stamina Cost": "2.5", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e1/Chalcedony_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220074802", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Knuckles", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Knuckles" + ], + "station": "None", + "source_page": "Chalcedony Knuckles" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.5", + "damage": "14 14", + "description": "Four fast punches, right to left", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.25", + "damage": "18.2 18.2", + "description": "Forward-lunging left hook", + "impact": "19.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3", + "damage": "18.2 18.2", + "description": "Left dodging, left uppercut", + "impact": "19.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3", + "damage": "18.2 18.2", + "description": "Right dodging, right spinning hammer strike", + "impact": "19.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "14 14", + "15", + "2.5", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "18.2 18.2", + "19.5", + "3.25", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "18.2 18.2", + "19.5", + "3", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "18.2 18.2", + "19.5", + "3", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Chalcedony Nephrite Gemstone Militia Knuckles", + "result": "1x Chalcedony Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Knuckles", + "Chalcedony Chalcedony Nephrite Gemstone Militia Knuckles", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Chalcedony Knuckles is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Mace", + "url": "https://outward.fandom.com/wiki/Chalcedony_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "500", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "17.5 17.5", + "Durability": "300", + "Effects": "Slow Down", + "Impact": "35", + "Item Set": "Chalcedony Set", + "Object ID": "2020280", + "Sell": "150", + "Stamina Cost": "5", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/58/Chalcedony_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220074803", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Mace", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Militia Mace", + "Nephrite Gemstone" + ], + "station": "None", + "source_page": "Chalcedony Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "17.5 17.5", + "description": "Two wide-sweeping strikes, right to left", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "22.75 22.75", + "description": "Slow, overhead strike with high impact", + "impact": "87.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "22.75 22.75", + "description": "Fast, forward-thrusting strike", + "impact": "45.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "22.75 22.75", + "description": "Fast, forward-thrusting strike", + "impact": "45.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17.5 17.5", + "35", + "5", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "22.75 22.75", + "87.5", + "6.5", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "22.75 22.75", + "45.5", + "6.5", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "22.75 22.75", + "45.5", + "6.5", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Chalcedony Militia Mace Nephrite Gemstone", + "result": "1x Chalcedony Mace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Mace", + "Chalcedony Chalcedony Militia Mace Nephrite Gemstone", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony Mace is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Pistol", + "url": "https://outward.fandom.com/wiki/Chalcedony_Pistol", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "500", + "Class": "Pistols", + "DLC": "The Three Brothers", + "Damage": "68.4 21.6", + "Durability": "150", + "Effects": "Slow Down", + "Impact": "60", + "Item Set": "Chalcedony Set", + "Object ID": "5110260", + "Sell": "150", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6f/Chalcedony_Pistol.png/revision/latest/scale-to-width-down/83?cb=20201220074804", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Pistol", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Palladium Scrap", + "Flintlock Pistol" + ], + "station": "None", + "source_page": "Chalcedony Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Palladium Scrap Flintlock Pistol", + "result": "1x Chalcedony Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Pistol", + "Chalcedony Palladium Scrap Flintlock Pistol", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony Pistol is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Set", + "url": "https://outward.fandom.com/wiki/Chalcedony_Set", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Barrier": "8", + "Buy": "1400", + "DLC": "The Three Brothers", + "Damage Resist": "48%", + "Durability": "1350", + "Hot Weather Def.": "10", + "Impact Resist": "41%", + "Mana Cost": "15%", + "Movement Speed": "-10%", + "Object ID": "3100400 (Chest)3100402 (Legs)3100401 (Head)", + "Protection": "14", + "Sell": "420", + "Slot": "Set", + "Stamina Cost": "14%", + "Weight": "43.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/35/Chalcedony_Set.png/revision/latest/scale-to-width-down/250?cb=20201231063900", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-4%", + "column_4": "19%", + "column_5": "6", + "column_6": "4", + "column_7": "–", + "column_8": "6%", + "column_9": "–", + "durability": "450", + "name": "Chalcedony Armor", + "resistances": "20%", + "weight": "21.0" + }, + { + "class": "Boots", + "column_10": "-3%", + "column_4": "12%", + "column_5": "4", + "column_6": "2", + "column_7": "10", + "column_8": "4%", + "column_9": "–", + "durability": "450", + "name": "Chalcedony Boots", + "resistances": "14%", + "weight": "12.0" + }, + { + "class": "Helmets", + "column_10": "-3%", + "column_4": "10%", + "column_5": "4", + "column_6": "2", + "column_7": "–", + "column_8": "4%", + "column_9": "15%", + "durability": "450", + "name": "Chalcedony Helmet", + "resistances": "14%", + "weight": "10.0" + } + ], + "raw_rows": [ + [ + "", + "Chalcedony Armor", + "20%", + "19%", + "6", + "4", + "–", + "6%", + "–", + "-4%", + "450", + "21.0", + "Body Armor" + ], + [ + "", + "Chalcedony Boots", + "14%", + "12%", + "4", + "2", + "10", + "4%", + "–", + "-3%", + "450", + "12.0", + "Boots" + ], + [ + "", + "Chalcedony Helmet", + "14%", + "10%", + "4", + "2", + "–", + "4%", + "15%", + "-3%", + "450", + "10.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "22", + "column_5": "5", + "damage": "16 16", + "durability": "300", + "effects": "Slow Down", + "name": "Chalcedony Axe", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Bow", + "column_4": "17", + "column_5": "2.875", + "damage": "25.2 4.8", + "durability": "250", + "effects": "Chill", + "name": "Chalcedony Bow", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "Chakram", + "column_4": "27", + "column_5": "–", + "damage": "24.5 10.5", + "durability": "250", + "effects": "Slow Down", + "name": "Chalcedony Chakram", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Sword", + "column_4": "35", + "column_5": "6.875", + "damage": "19.5 19.5", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Claymore", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Axe", + "column_4": "33", + "column_5": "6.875", + "damage": "20 20", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Greataxe", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Halberd", + "column_4": "37", + "column_5": "6.25", + "damage": "17.5 17.5", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Halberd", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Mace", + "column_4": "43", + "column_5": "6.875", + "damage": "19 19", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Hammer", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "2H Gauntlet", + "column_4": "15", + "column_5": "2.5", + "damage": "14 14", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Knuckles", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "35", + "column_5": "5", + "damage": "17.5 17.5", + "durability": "300", + "effects": "Slow Down", + "name": "Chalcedony Mace", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Pistol", + "column_4": "60", + "column_5": "–", + "damage": "68.4 21.6", + "durability": "150", + "effects": "Slow Down", + "name": "Chalcedony Pistol", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "Spear", + "column_4": "28", + "column_5": "5", + "damage": "18.5 18.5", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Spear", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "1H Sword", + "column_4": "25", + "column_5": "4.375", + "damage": "15.5 15.5", + "durability": "300", + "effects": "Slow Down", + "name": "Chalcedony Sword", + "speed": "1.0", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Chalcedony Axe", + "16 16", + "22", + "5", + "1.0", + "300", + "4.0", + "Slow Down", + "1H Axe" + ], + [ + "", + "Chalcedony Bow", + "25.2 4.8", + "17", + "2.875", + "1.0", + "250", + "3.0", + "Chill", + "Bow" + ], + [ + "", + "Chalcedony Chakram", + "24.5 10.5", + "27", + "–", + "1.0", + "250", + "1.0", + "Slow Down", + "Chakram" + ], + [ + "", + "Chalcedony Claymore", + "19.5 19.5", + "35", + "6.875", + "1.0", + "325", + "6.0", + "Slow Down", + "2H Sword" + ], + [ + "", + "Chalcedony Greataxe", + "20 20", + "33", + "6.875", + "1.0", + "325", + "6.0", + "Slow Down", + "2H Axe" + ], + [ + "", + "Chalcedony Halberd", + "17.5 17.5", + "37", + "6.25", + "1.0", + "325", + "6.0", + "Slow Down", + "Halberd" + ], + [ + "", + "Chalcedony Hammer", + "19 19", + "43", + "6.875", + "1.0", + "325", + "7.0", + "Slow Down", + "2H Mace" + ], + [ + "", + "Chalcedony Knuckles", + "14 14", + "15", + "2.5", + "1.0", + "325", + "3.0", + "Slow Down", + "2H Gauntlet" + ], + [ + "", + "Chalcedony Mace", + "17.5 17.5", + "35", + "5", + "1.0", + "300", + "5.0", + "Slow Down", + "1H Mace" + ], + [ + "", + "Chalcedony Pistol", + "68.4 21.6", + "60", + "–", + "1.0", + "150", + "1.0", + "Slow Down", + "Pistol" + ], + [ + "", + "Chalcedony Spear", + "18.5 18.5", + "28", + "5", + "1.0", + "325", + "5.0", + "Slow Down", + "Spear" + ], + [ + "", + "Chalcedony Sword", + "15.5 15.5", + "25", + "4.375", + "1.0", + "300", + "4.0", + "Slow Down", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-4%", + "column_4": "19%", + "column_5": "6", + "column_6": "4", + "column_7": "–", + "column_8": "6%", + "column_9": "–", + "durability": "450", + "name": "Chalcedony Armor", + "resistances": "20%", + "weight": "21.0" + }, + { + "class": "Boots", + "column_10": "-3%", + "column_4": "12%", + "column_5": "4", + "column_6": "2", + "column_7": "10", + "column_8": "4%", + "column_9": "–", + "durability": "450", + "name": "Chalcedony Boots", + "resistances": "14%", + "weight": "12.0" + }, + { + "class": "Helmets", + "column_10": "-3%", + "column_4": "10%", + "column_5": "4", + "column_6": "2", + "column_7": "–", + "column_8": "4%", + "column_9": "15%", + "durability": "450", + "name": "Chalcedony Helmet", + "resistances": "14%", + "weight": "10.0" + } + ], + "raw_rows": [ + [ + "", + "Chalcedony Armor", + "20%", + "19%", + "6", + "4", + "–", + "6%", + "–", + "-4%", + "450", + "21.0", + "Body Armor" + ], + [ + "", + "Chalcedony Boots", + "14%", + "12%", + "4", + "2", + "10", + "4%", + "–", + "-3%", + "450", + "12.0", + "Boots" + ], + [ + "", + "Chalcedony Helmet", + "14%", + "10%", + "4", + "2", + "–", + "4%", + "15%", + "-3%", + "450", + "10.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "22", + "column_5": "5", + "damage": "16 16", + "durability": "300", + "effects": "Slow Down", + "name": "Chalcedony Axe", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Bow", + "column_4": "17", + "column_5": "2.875", + "damage": "25.2 4.8", + "durability": "250", + "effects": "Chill", + "name": "Chalcedony Bow", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "Chakram", + "column_4": "27", + "column_5": "–", + "damage": "24.5 10.5", + "durability": "250", + "effects": "Slow Down", + "name": "Chalcedony Chakram", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Sword", + "column_4": "35", + "column_5": "6.875", + "damage": "19.5 19.5", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Claymore", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Axe", + "column_4": "33", + "column_5": "6.875", + "damage": "20 20", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Greataxe", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Halberd", + "column_4": "37", + "column_5": "6.25", + "damage": "17.5 17.5", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Halberd", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Mace", + "column_4": "43", + "column_5": "6.875", + "damage": "19 19", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Hammer", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "2H Gauntlet", + "column_4": "15", + "column_5": "2.5", + "damage": "14 14", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Knuckles", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "35", + "column_5": "5", + "damage": "17.5 17.5", + "durability": "300", + "effects": "Slow Down", + "name": "Chalcedony Mace", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Pistol", + "column_4": "60", + "column_5": "–", + "damage": "68.4 21.6", + "durability": "150", + "effects": "Slow Down", + "name": "Chalcedony Pistol", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "Spear", + "column_4": "28", + "column_5": "5", + "damage": "18.5 18.5", + "durability": "325", + "effects": "Slow Down", + "name": "Chalcedony Spear", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "1H Sword", + "column_4": "25", + "column_5": "4.375", + "damage": "15.5 15.5", + "durability": "300", + "effects": "Slow Down", + "name": "Chalcedony Sword", + "speed": "1.0", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Chalcedony Axe", + "16 16", + "22", + "5", + "1.0", + "300", + "4.0", + "Slow Down", + "1H Axe" + ], + [ + "", + "Chalcedony Bow", + "25.2 4.8", + "17", + "2.875", + "1.0", + "250", + "3.0", + "Chill", + "Bow" + ], + [ + "", + "Chalcedony Chakram", + "24.5 10.5", + "27", + "–", + "1.0", + "250", + "1.0", + "Slow Down", + "Chakram" + ], + [ + "", + "Chalcedony Claymore", + "19.5 19.5", + "35", + "6.875", + "1.0", + "325", + "6.0", + "Slow Down", + "2H Sword" + ], + [ + "", + "Chalcedony Greataxe", + "20 20", + "33", + "6.875", + "1.0", + "325", + "6.0", + "Slow Down", + "2H Axe" + ], + [ + "", + "Chalcedony Halberd", + "17.5 17.5", + "37", + "6.25", + "1.0", + "325", + "6.0", + "Slow Down", + "Halberd" + ], + [ + "", + "Chalcedony Hammer", + "19 19", + "43", + "6.875", + "1.0", + "325", + "7.0", + "Slow Down", + "2H Mace" + ], + [ + "", + "Chalcedony Knuckles", + "14 14", + "15", + "2.5", + "1.0", + "325", + "3.0", + "Slow Down", + "2H Gauntlet" + ], + [ + "", + "Chalcedony Mace", + "17.5 17.5", + "35", + "5", + "1.0", + "300", + "5.0", + "Slow Down", + "1H Mace" + ], + [ + "", + "Chalcedony Pistol", + "68.4 21.6", + "60", + "–", + "1.0", + "150", + "1.0", + "Slow Down", + "Pistol" + ], + [ + "", + "Chalcedony Spear", + "18.5 18.5", + "28", + "5", + "1.0", + "325", + "5.0", + "Slow Down", + "Spear" + ], + [ + "", + "Chalcedony Sword", + "15.5 15.5", + "25", + "4.375", + "1.0", + "300", + "4.0", + "Slow Down", + "1H Sword" + ] + ] + } + ], + "description": "Chalcedony Set is a Set in Outward." + }, + { + "name": "Chalcedony Spear", + "url": "https://outward.fandom.com/wiki/Chalcedony_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "500", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "18.5 18.5", + "Durability": "325", + "Effects": "Slow Down", + "Impact": "28", + "Item Set": "Chalcedony Set", + "Object ID": "2130270", + "Sell": "150", + "Stamina Cost": "5", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/06/Chalcedony_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220074806", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Spear", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Spear" + ], + "station": "None", + "source_page": "Chalcedony Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "18.5 18.5", + "description": "Two forward-thrusting stabs", + "impact": "28", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "25.9 25.9", + "description": "Forward-lunging strike", + "impact": "33.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "24.05 24.05", + "description": "Left-sweeping strike, jump back", + "impact": "33.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "22.2 22.2", + "description": "Fast spinning strike from the right", + "impact": "30.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "18.5 18.5", + "28", + "5", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "25.9 25.9", + "33.6", + "6.25", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "24.05 24.05", + "33.6", + "6.25", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "22.2 22.2", + "30.8", + "6.25", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Chalcedony Nephrite Gemstone Militia Spear", + "result": "1x Chalcedony Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Spear", + "Chalcedony Chalcedony Nephrite Gemstone Militia Spear", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony Spear is a type of Weapon in Outward." + }, + { + "name": "Chalcedony Sword", + "url": "https://outward.fandom.com/wiki/Chalcedony_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "500", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "15.5 15.5", + "Durability": "300", + "Effects": "Slow Down", + "Impact": "25", + "Item Set": "Chalcedony Set", + "Object ID": "2000270", + "Sell": "150", + "Stamina Cost": "4.375", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Chalcedony_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220074807", + "effects": [ + "Inflicts Slow Down (33% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Chalcedony Sword", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Sword" + ], + "station": "None", + "source_page": "Chalcedony Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.375", + "damage": "15.5 15.5", + "description": "Two slash attacks, left to right", + "impact": "25", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.25", + "damage": "23.17 23.17", + "description": "Forward-thrusting strike", + "impact": "32.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.81", + "damage": "19.61 19.61", + "description": "Heavy left-lunging strike", + "impact": "27.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.81", + "damage": "19.61 19.61", + "description": "Heavy right-lunging strike", + "impact": "27.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "15.5 15.5", + "25", + "4.375", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "23.17 23.17", + "32.5", + "5.25", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "19.61 19.61", + "27.5", + "4.81", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "19.61 19.61", + "27.5", + "4.81", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Chalcedony Nephrite Gemstone Militia Sword", + "result": "1x Chalcedony Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Sword", + "Chalcedony Nephrite Gemstone Militia Sword", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Chalcedony Sword is a type of Weapon in Outward." + }, + { + "name": "Challenger Greathammer", + "url": "https://outward.fandom.com/wiki/Challenger_Greathammer", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Maces", + "Damage": "65", + "Durability": "600", + "Effects": "RageDiscipline", + "Impact": "65", + "Object ID": "2120140", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d4/Challenger_Greathammer.png/revision/latest/scale-to-width-down/83?cb=20190629155134", + "effects": [ + "Inflicts Rage (45% buildup)", + "Inflicts Discipline (45% buildup)" + ], + "effect_links": [ + "/wiki/Rage", + "/wiki/Effects#Buildup", + "/wiki/Discipline" + ], + "recipes": [ + { + "result": "Challenger Greathammer", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Haunted Memory", + "Calixa's Relic" + ], + "station": "None", + "source_page": "Challenger Greathammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "65", + "description": "Two slashing strikes, left to right", + "impact": "65", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "48.75", + "description": "Blunt strike with high impact", + "impact": "130", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "91", + "description": "Powerful overhead strike", + "impact": "91", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "91", + "description": "Forward-running uppercut strike", + "impact": "91", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "65", + "65", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "48.75", + "130", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "91", + "91", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "91", + "91", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Pearlbird's Courage Haunted Memory Calixa's Relic", + "result": "1x Challenger Greathammer", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Challenger Greathammer", + "Gep's Generosity Pearlbird's Courage Haunted Memory Calixa's Relic", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Challenger Greathammer is a type of Two-Handed Mace weapon in Outward." + }, + { + "name": "Charge – Incendiary", + "url": "https://outward.fandom.com/wiki/Charge_%E2%80%93_Incendiary", + "categories": [ + "Trap Component", + "Items" + ], + "infobox": { + "Buy": "10", + "Object ID": "6500120", + "Sell": "3", + "Type": "Trap Component", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Charge_%E2%80%93_Incendiary.png/revision/latest?cb=20190419091943", + "recipes": [ + { + "result": "Charge – Incendiary", + "result_count": "3x", + "ingredients": [ + "Thick Oil", + "Iron Scrap", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Charge – Incendiary" + } + ], + "tables": [ + { + "title": "Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Thick Oil Iron Scrap Salt", + "result": "3x Charge – Incendiary", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Charge – Incendiary", + "Thick Oil Iron Scrap Salt", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "9", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "4 - 6", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "55.5%", + "locations": "New Sirocco", + "quantity": "1 - 6", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "9", + "100%", + "Levant" + ], + [ + "Lawrence Dakers, Hunter", + "4 - 6", + "100%", + "Harmattan" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 5", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "1 - 6", + "55.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "1 - 6", + "source": "Supply Cache" + }, + { + "chance": "15.6%", + "locations": "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh", + "quantity": "1 - 6", + "source": "Supply Cache" + }, + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 3", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Hive Prison, Scarlet Sanctuary", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Enmerkar Forest", + "quantity": "1 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide", + "quantity": "1 - 3", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 6", + "19.9%", + "Caldera" + ], + [ + "Supply Cache", + "1 - 6", + "19.9%", + "Caldera" + ], + [ + "Supply Cache", + "1 - 6", + "15.6%", + "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "1 - 3", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1 - 3", + "10%", + "Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 3", + "10%", + "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress" + ], + [ + "Corpse", + "1 - 3", + "10%", + "Hive Prison, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1 - 3", + "10%", + "Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1 - 3", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 3", + "10%", + "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide" + ] + ] + } + ], + "description": "Charge – Incendiary are a type of craftable item in Outward that is used to arm Pressure Plate Trap." + }, + { + "name": "Charge – Nerve Gas", + "url": "https://outward.fandom.com/wiki/Charge_%E2%80%93_Nerve_Gas", + "categories": [ + "Trap Component", + "Items" + ], + "infobox": { + "Buy": "10", + "Object ID": "6500140", + "Sell": "3", + "Type": "Trap Component", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/97/Charge_%E2%80%93_Nerve_Gas.png/revision/latest?cb=20190419130546", + "recipes": [ + { + "result": "Charge – Nerve Gas", + "result_count": "3x", + "ingredients": [ + "Blood Mushroom", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Charge – Nerve Gas" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Blood Mushroom Livweedi Salt", + "result": "3x Charge – Nerve Gas", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Charge – Nerve Gas", + "Blood Mushroom Livweedi Salt", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "9", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "4 - 6", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "55.5%", + "locations": "New Sirocco", + "quantity": "1 - 6", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "9", + "100%", + "Levant" + ], + [ + "Lawrence Dakers, Hunter", + "4 - 6", + "100%", + "Harmattan" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 5", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "1 - 6", + "55.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 3", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Hive Prison, Scarlet Sanctuary", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Enmerkar Forest", + "quantity": "1 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Abrassar, Jade Quarry, Scarlet Sanctuary, Undercity Passage, Voltaic Hatchery", + "quantity": "1 - 3", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Royal Manticore's Lair, Wendigo Lair", + "quantity": "1 - 3", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1 - 3", + "10%", + "Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 3", + "10%", + "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress" + ], + [ + "Corpse", + "1 - 3", + "10%", + "Hive Prison, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1 - 3", + "10%", + "Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1 - 3", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 3", + "10%", + "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide" + ], + [ + "Knight's Corpse", + "1 - 3", + "10%", + "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage" + ], + [ + "Ornate Chest", + "1 - 3", + "10%", + "Abrassar, Jade Quarry, Scarlet Sanctuary, Undercity Passage, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1 - 3", + "10%", + "Royal Manticore's Lair, Wendigo Lair" + ] + ] + } + ], + "description": "Charge – Nerve Gas are a type of craftable item in Outward that is used to arm Pressure Plate Trap." + }, + { + "name": "Charge – Toxic", + "url": "https://outward.fandom.com/wiki/Charge_%E2%80%93_Toxic", + "categories": [ + "Trap Component", + "Items" + ], + "infobox": { + "Buy": "10", + "Object ID": "6500130", + "Sell": "3", + "Type": "Trap Component", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a3/Charge_%E2%80%93_Toxic.png/revision/latest?cb=20190419131010", + "recipes": [ + { + "result": "Charge – Toxic", + "result_count": "3x", + "ingredients": [ + "Grilled Crabeye Seed", + "Grilled Crabeye Seed", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Charge – Toxic" + } + ], + "tables": [ + { + "title": "Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Grilled Crabeye Seed Grilled Crabeye Seed Salt", + "result": "3x Charge – Toxic", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Charge – Toxic", + "Grilled Crabeye Seed Grilled Crabeye Seed Salt", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "9", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Ogoi, Kazite Assassin" + }, + { + "chance": "55.5%", + "locations": "New Sirocco", + "quantity": "1 - 6", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "9", + "100%", + "Levant" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 5", + "100%", + "New Sirocco" + ], + [ + "Ogoi, Kazite Assassin", + "3", + "100%", + "Berg" + ], + [ + "Patrick Arago, General Store", + "1 - 6", + "55.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 3", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Hive Prison, Scarlet Sanctuary", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Enmerkar Forest", + "quantity": "1 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Abrassar, Jade Quarry, Scarlet Sanctuary, Undercity Passage, Voltaic Hatchery", + "quantity": "1 - 3", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Royal Manticore's Lair, Wendigo Lair", + "quantity": "1 - 3", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1 - 3", + "10%", + "Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 3", + "10%", + "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress" + ], + [ + "Corpse", + "1 - 3", + "10%", + "Hive Prison, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1 - 3", + "10%", + "Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1 - 3", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 3", + "10%", + "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide" + ], + [ + "Knight's Corpse", + "1 - 3", + "10%", + "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage" + ], + [ + "Ornate Chest", + "1 - 3", + "10%", + "Abrassar, Jade Quarry, Scarlet Sanctuary, Undercity Passage, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1 - 3", + "10%", + "Royal Manticore's Lair, Wendigo Lair" + ] + ] + } + ], + "description": "Charge – Toxic is a type of craftable item in Outward that is used to arm Pressure Plate Trap." + }, + { + "name": "Charged Forge Stone", + "url": "https://outward.fandom.com/wiki/Charged_Forge_Stone", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "50", + "Capacity": "0", + "Class": "Backpacks", + "DLC": "The Three Brothers", + "Durability": "∞", + "Inventory Protection": "2", + "Object ID": "5380001", + "Sell": "15", + "Weight": "150" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9c/Charged_Forge_Stone.png/revision/latest/scale-to-width-down/83?cb=20201220074810", + "description": "Charged Forge Stone is a type of Equipment in Outward." + }, + { + "name": "Cheese Cake", + "url": "https://outward.fandom.com/wiki/Cheese_Cake", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "12", + "DLC": "The Soroboreans", + "Effects": "Health Recovery 3Mana Ratio Recovery 3Corruption Resistance 2", + "Hunger": "15%", + "Object ID": "4100760", + "Perish Time": "10 Days, 23 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Cheese_Cake.png/revision/latest/scale-to-width-down/83?cb=20200616185325", + "effects": [ + "Player receives Health Recovery (level 3)", + "Player receives Mana Ratio Recovery (level 3)", + "Player receives Corruption Resistance (level 2)" + ], + "recipes": [ + { + "result": "Cheese Cake", + "result_count": "3x", + "ingredients": [ + "Fresh Cream", + "Fresh Cream", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Cheese Cake" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fresh Cream Fresh Cream Egg Sugar", + "result": "3x Cheese Cake", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Cheese Cake", + "Fresh Cream Fresh Cream Egg Sugar", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "35.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "3", + "35.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Bonded Beastmaster" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + }, + { + "chance": "1.6%", + "quantity": "1 - 2", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "1 - 2", + "1.7%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "1.7%" + ], + [ + "Blood Sorcerer", + "1 - 2", + "1.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.6%", + "locations": "Harmattan", + "quantity": "1 - 6", + "source": "Stash" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "2.8%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Stash", + "1 - 6", + "36.6%", + "Harmattan" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 2", + "2.8%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Cheese Cake is an Item in Outward." + }, + { + "name": "Chemist's Broken Flask", + "url": "https://outward.fandom.com/wiki/Chemist%27s_Broken_Flask", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "1225", + "Object ID": "5601010", + "Sell": "210", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d1/Chemist%E2%80%99s_Broken_Flask.png/revision/latest?cb=20190419131422", + "recipes": [ + { + "result": "Brand", + "result_count": "1x", + "ingredients": [ + "Strange Rusted Sword", + "Chemist's Broken Flask", + "Mage's Poking Stick", + "Blacksmith's Vintage Hammer" + ], + "station": "None", + "source_page": "Chemist's Broken Flask" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Strange Rusted SwordChemist's Broken FlaskMage's Poking StickBlacksmith's Vintage Hammer", + "result": "1x Brand", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Brand", + "Strange Rusted SwordChemist's Broken FlaskMage's Poking StickBlacksmith's Vintage Hammer", + "None" + ] + ] + } + ], + "description": "Chemist's Broken Flask is an Item in Outward." + }, + { + "name": "Chimera Pistol", + "url": "https://outward.fandom.com/wiki/Chimera_Pistol", + "categories": [ + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Pistols", + "Damage": "90", + "Durability": "100", + "Effects": "Elemental Vulnerability", + "Impact": "70", + "Object ID": "5110130", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0c/Chimera_Pistol.png/revision/latest?cb=20190407064438", + "effects": [ + "Inflicts Elemental Vulnerability (100% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1", + "100%", + "Levant" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Chimera Pistol is one of the Pistols in Outward." + }, + { + "name": "Chitin Desert Tunic", + "url": "https://outward.fandom.com/wiki/Chitin_Desert_Tunic", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "113", + "Damage Resist": "13%", + "Durability": "180", + "Hot Weather Def.": "20", + "Impact Resist": "28%", + "Object ID": "3000201", + "Sell": "37", + "Slot": "Chest", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/42/Chitin_Desert_Tunic.png/revision/latest?cb=20190410224653", + "recipes": [ + { + "result": "Chitin Desert Tunic", + "result_count": "1x", + "ingredients": [ + "Desert Tunic", + "Insect Husk" + ], + "station": "None", + "source_page": "Chitin Desert Tunic" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Desert Tunic Insect Husk", + "result": "1x Chitin Desert Tunic", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chitin Desert Tunic", + "Desert Tunic Insect Husk", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +25% Fire damage bonus", + "enchantment": "Spirit of Levant" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Levant", + "Gain +25% Fire damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Chitin Desert Tunic is a craftable type of Body Armor in Outward." + }, + { + "name": "Chromium Shards", + "url": "https://outward.fandom.com/wiki/Chromium_Shards", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6000360", + "Sell": "27", + "Type": "Ingredient", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/35/Chromium_Shards.png/revision/latest/scale-to-width-down/83?cb=20201220074811", + "recipes": [ + { + "result": "Tokebakicit", + "result_count": "1x", + "ingredients": [ + "Unusual Knuckles", + "Chromium Shards", + "Bloodroot" + ], + "station": "None", + "source_page": "Chromium Shards" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Unusual KnucklesChromium ShardsBloodroot", + "result": "1x Tokebakicit", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Tokebakicit", + "Unusual KnucklesChromium ShardsBloodroot", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From / Unidentified Sample Sources", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + } + ], + "description": "Chromium Shards is an Item in Outward." + }, + { + "name": "Chrysalis Incense", + "url": "https://outward.fandom.com/wiki/Chrysalis_Incense", + "categories": [ + "DLC: The Soroboreans", + "Incense", + "Items" + ], + "infobox": { + "Buy": "250", + "Class": "Incense", + "DLC": "The Soroboreans", + "Object ID": "6000220", + "Sell": "75", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f8/Chrysalis_Incense.png/revision/latest/scale-to-width-down/83?cb=20200616185329", + "recipes": [ + { + "result": "Chrysalis Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Ice" + ], + "station": "Alchemy Kit", + "source_page": "Chrysalis Incense" + }, + { + "result": "Morpho Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Ice", + "Chrysalis Incense" + ], + "station": "Alchemy Kit", + "source_page": "Chrysalis Incense" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's Root Dreamer's Root Elemental Particle – Ice", + "result": "4x Chrysalis Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Chrysalis Incense", + "Dreamer's Root Dreamer's Root Elemental Particle – Ice", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – IceChrysalis Incense", + "result": "4x Morpho Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Morpho Incense", + "Purifying QuartzTourmalineElemental Particle – IceChrysalis Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.4%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "24.4%", + "Forgotten Research Laboratory" + ] + ] + }, + { + "title": "Used In Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense", + "enchantment": "Cocoon" + }, + { + "effects": "Gain +20% Stability regeneration rate", + "enchantment": "Compass" + }, + { + "effects": "Weapon now inflicts Chill (40% buildup) and Scorched (40% buildup)Adds +4 flat Frost and +4 flat Fire damage", + "enchantment": "Musing of a Philosopher" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Cocoon", + "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense" + ], + [ + "Compass", + "Gain +20% Stability regeneration rate" + ], + [ + "Musing of a Philosopher", + "Weapon now inflicts Chill (40% buildup) and Scorched (40% buildup)Adds +4 flat Frost and +4 flat Fire damage" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + } + ], + "description": "Chrysalis Incense is an Item in Outward, used in Enchanting." + }, + { + "name": "Cierzo Ceviche", + "url": "https://outward.fandom.com/wiki/Cierzo_Ceviche", + "categories": [ + "Pages with script errors", + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Health Recovery 3Mana Ratio Recovery 2Elemental Resistance", + "Hunger": "20%", + "Object ID": "4100180", + "Perish Time": "9 Days 22 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/02/Cierzo_Ceviche.png/revision/latest?cb=20190410132307", + "effects": [ + "Restores 20% Hunger", + "Player receives Elemental Resistance", + "Player receives Health Recovery (level 3)", + "Player receives Mana Ratio Recovery (level 2)" + ], + "recipes": [ + { + "result": "Cierzo Ceviche", + "result_count": "3x", + "ingredients": [ + "Raw Rainbow Trout", + "Seaweed", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cierzo Ceviche" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cierzo Ceviche" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Cierzo Ceviche" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Rainbow Trout Seaweed Salt", + "result": "3x Cierzo Ceviche", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Cierzo Ceviche", + "Raw Rainbow Trout Seaweed Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + } + ], + "description": "Cierzo Ceviche is a dish in Outward." + }, + { + "name": "Cipate", + "url": "https://outward.fandom.com/wiki/Cipate", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "30", + "DLC": "The Soroboreans", + "Effects": "Impact Resistance UpHealth Recovery 3Cold Weather Def Up", + "Hunger": "22%", + "Object ID": "4100770", + "Perish Time": "21 Days, 22 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2f/Cipate.png/revision/latest/scale-to-width-down/83?cb=20200616185330", + "effects": [ + "Restores 22% Hunger", + "Player receives Impact Resistance Up", + "Player receives Health Recovery (level 3)", + "Player receives Cold Weather Def Up" + ], + "recipes": [ + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Cipate" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Boozu's Meat Salt Egg Flour", + "result": "1x Cipate", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Cipate", + "Boozu's Meat Salt Egg Flour", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "35.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "3", + "35.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Bonded Beastmaster" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + }, + { + "chance": "1.6%", + "quantity": "1 - 2", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "1 - 2", + "1.7%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "1.7%" + ], + [ + "Blood Sorcerer", + "1 - 2", + "1.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.2%", + "locations": "Harmattan", + "quantity": "1 - 6", + "source": "Stash" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "2.8%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Stash", + "1 - 6", + "4.2%", + "Harmattan" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 2", + "2.8%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Cipate is an Item in Outward." + }, + { + "name": "Clansage Robe", + "url": "https://outward.fandom.com/wiki/Clansage_Robe", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "175", + "Cold Weather Def.": "15", + "Damage Resist": "10% 20%", + "Durability": "180", + "Impact Resist": "4%", + "Mana Cost": "-20%", + "Object ID": "3000270", + "Sell": "58", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/19/Clansage_Robe.png/revision/latest?cb=20190415113515", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance", + "enchantment": "Stabilizing Forces" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Stabilizing Forces", + "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Vay the Alchemist" + }, + { + "chance": "23.4%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "1", + "100%", + "New Sirocco" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1", + "100%", + "Berg" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 2", + "23.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Clansage Robe is a type of Armor in Outward." + }, + { + "name": "Clean Water", + "url": "https://outward.fandom.com/wiki/Clean_Water", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "6", + "Drink": "30%", + "Effects": "Water EffectRemoves Burning", + "Object ID": "5600000", + "Perish Time": "∞", + "Sell": "2", + "Type": "Food", + "Weight": "1.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1a/Clean_Water.png/revision/latest?cb=20190410134723", + "effects": [ + "Restores 30% Drink", + "Player receives Water Effect", + "Removes Burning", + "Removes Immolate", + "+0.3 Stamina per second", + "+10 Hot Weather Def" + ], + "effect_links": [ + "/wiki/Water_Effect", + "/wiki/Burning" + ], + "recipes": [ + { + "result": "Clean Water", + "result_count": "1x", + "ingredients": [ + "Water" + ], + "station": "Campfire", + "source_page": "Clean Water" + }, + { + "result": "Able Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot" + ], + "station": "Cooking Pot", + "source_page": "Clean Water" + }, + { + "result": "Alertness Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Nightmare Mushroom", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Antidote", + "result_count": "1x", + "ingredients": [ + "Common Mushroom", + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Assassin Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Raw Jewel Meat", + "Firefly Powder", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Star Mushroom", + "Turmmip", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Barrier Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Bitter Spicy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Clean Water" + }, + { + "result": "Blessed Potion", + "result_count": "3x", + "ingredients": [ + "Firefly Powder", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Bouillon du Predateur", + "result_count": "3x", + "ingredients": [ + "Predator Bones", + "Predator Bones", + "Predator Bones", + "Water" + ], + "station": "Cooking Pot", + "source_page": "Clean Water" + }, + { + "result": "Bracing Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Bread", + "result_count": "3x", + "ingredients": [ + "Flour", + "Clean Water", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Clean Water" + }, + { + "result": "Clean Water", + "result_count": "1x", + "ingredients": [ + "Water" + ], + "station": "Campfire", + "source_page": "Clean Water" + }, + { + "result": "Cool Potion", + "result_count": "3x", + "ingredients": [ + "Gravel Beetle", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Discipline Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Golem Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Occult Remains", + "Blue Sand", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Greasy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Cooking Pot", + "source_page": "Clean Water" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Manticore Tail", + "Blood Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Alpha Tuanosaur Tail", + "Star Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Great Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Common Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Great Life Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Horror Chitin", + "Krimp Nut" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Hex Cleaner", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Iced Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Funnel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Clean Water" + }, + { + "result": "Invigorating Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Sugar", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Gravel Beetle", + "Blood Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Mana Belly Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Pypherfish", + "Funnel Beetle", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Marathon Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Mineral Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Clean Water" + }, + { + "result": "Mist Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Needle Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Cactus Fruit" + ], + "station": "Cooking Pot", + "source_page": "Clean Water" + }, + { + "result": "Panacea", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Possessed Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Quartz Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Boozu's Hide", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Rage Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Smoke Root", + "Gravel Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Shimmer Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Soothing Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Clean Water" + }, + { + "result": "Stability Potion", + "result_count": "1x", + "ingredients": [ + "Insect Husk", + "Livweedi", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Stealth Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Woolshroom", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Stoneflesh Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle", + "Insect Husk", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Sulphur Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Survivor Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Crystal Powder", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Warm Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Warrior Elixir", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Crystal Powder", + "Larva Egg", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + }, + { + "result": "Weather Defense Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Clean Water" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "180 seconds", + "effects": "+0.3 Stamina per second+10 Hot Weather Def", + "name": "Water Effect" + } + ], + "raw_rows": [ + [ + "", + "Water Effect", + "180 seconds", + "+0.3 Stamina per second+10 Hot Weather Def" + ] + ] + }, + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water", + "result": "1x Clean Water", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Clean Water", + "Water", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipes / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterAbleroot", + "result": "1x Able Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterNightmare MushroomStingleaf", + "result": "3x Alertness Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Common MushroomThick OilWater", + "result": "1x Antidote", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "result": "1x Assassin Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Star MushroomTurmmipWater", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPeach SeedsCrysocolla Beetle", + "result": "1x Barrier Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice Beetle", + "result": "1x Bitter Spicy Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "Firefly PowderWater", + "result": "3x Blessed Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Predator BonesPredator BonesPredator BonesWater", + "result": "3x Bouillon du Predateur", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterAblerootAblerootPeach Seeds", + "result": "1x Bracing Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "FlourClean WaterSalt", + "result": "3x Bread", + "station": "Cooking Pot" + }, + { + "ingredients": "Water", + "result": "1x Clean Water", + "station": "Campfire" + }, + { + "ingredients": "Gravel BeetleWater", + "result": "3x Cool Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleLivweedi", + "result": "3x Discipline Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult RemainsBlue SandCrystal Powder", + "result": "1x Golem Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCrysocolla Beetle", + "result": "1x Greasy Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterManticore TailBlood Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterAlpha Tuanosaur TailStar Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Obsidian ShardCommon MushroomWater", + "result": "1x Great Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterHorror ChitinKrimp Nut", + "result": "3x Great Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernLivweediSalt", + "result": "1x Hex Cleaner", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterFunnel Beetle", + "result": "1x Iced Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSugarDreamer's Root", + "result": "3x Invigorating Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gravel BeetleBlood MushroomWater", + "result": "1x Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPypherfishFunnel BeetleHexa Stone", + "result": "1x Mana Belly Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCrysocolla Beetle", + "result": "1x Marathon Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGravel Beetle", + "result": "1x Mineral Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterGhost's Eye", + "result": "3x Mist Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCactus Fruit", + "result": "1x Needle Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSulphuric MushroomAblerootPeach Seeds", + "result": "1x Panacea", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult Remains", + "result": "3x Possessed Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterBoozu's HideDreamer's Root", + "result": "3x Quartz Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSmoke RootGravel Beetle", + "result": "3x Rage Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "result": "1x Shimmer Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSeaweed", + "result": "1x Soothing Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "Insect HuskLivweediWater", + "result": "1x Stability Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterWoolshroomGhost's Eye", + "result": "3x Stealth Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGravel BeetleInsect HuskCrystal Powder", + "result": "1x Stoneflesh Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSulphuric MushroomCrysocolla Beetle", + "result": "1x Sulphur Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleCrystal PowderLivweedi", + "result": "1x Survivor Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Thick OilWater", + "result": "1x Warm Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Krimp NutCrystal PowderLarva EggWater", + "result": "1x Warrior Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernCrystal Powder", + "result": "1x Weather Defense Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Able Tea", + "WaterAbleroot", + "Cooking Pot" + ], + [ + "3x Alertness Potion", + "WaterNightmare MushroomStingleaf", + "Alchemy Kit" + ], + [ + "1x Antidote", + "Common MushroomThick OilWater", + "Alchemy Kit" + ], + [ + "1x Assassin Elixir", + "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Astral Potion", + "Star MushroomTurmmipWater", + "Alchemy Kit" + ], + [ + "1x Barrier Potion", + "WaterPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Bitter Spicy Tea", + "WaterOchre Spice Beetle", + "Cooking Pot" + ], + [ + "3x Blessed Potion", + "Firefly PowderWater", + "Alchemy Kit" + ], + [ + "3x Bouillon du Predateur", + "Predator BonesPredator BonesPredator BonesWater", + "Cooking Pot" + ], + [ + "1x Bracing Potion", + "WaterAblerootAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "3x Bread", + "FlourClean WaterSalt", + "Cooking Pot" + ], + [ + "1x Clean Water", + "Water", + "Campfire" + ], + [ + "3x Cool Potion", + "Gravel BeetleWater", + "Alchemy Kit" + ], + [ + "3x Discipline Potion", + "WaterOchre Spice BeetleLivweedi", + "Alchemy Kit" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "1x Golem Elixir", + "WaterOccult RemainsBlue SandCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Greasy Tea", + "WaterCrysocolla Beetle", + "Cooking Pot" + ], + [ + "3x Great Astral Potion", + "WaterManticore TailBlood Mushroom", + "Alchemy Kit" + ], + [ + "3x Great Astral Potion", + "WaterAlpha Tuanosaur TailStar Mushroom", + "Alchemy Kit" + ], + [ + "1x Great Endurance Potion", + "Obsidian ShardCommon MushroomWater", + "Alchemy Kit" + ], + [ + "3x Great Life Potion", + "WaterHorror ChitinKrimp Nut", + "Alchemy Kit" + ], + [ + "1x Hex Cleaner", + "WaterGreasy FernLivweediSalt", + "Alchemy Kit" + ], + [ + "1x Iced Tea", + "WaterFunnel Beetle", + "Cooking Pot" + ], + [ + "3x Invigorating Potion", + "WaterSugarDreamer's Root", + "Alchemy Kit" + ], + [ + "1x Life Potion", + "Gravel BeetleBlood MushroomWater", + "Alchemy Kit" + ], + [ + "1x Mana Belly Potion", + "WaterPypherfishFunnel BeetleHexa Stone", + "Alchemy Kit" + ], + [ + "1x Marathon Potion", + "WaterCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Mineral Tea", + "WaterGravel Beetle", + "Cooking Pot" + ], + [ + "3x Mist Potion", + "WaterGhost's Eye", + "Alchemy Kit" + ], + [ + "1x Needle Tea", + "WaterCactus Fruit", + "Cooking Pot" + ], + [ + "1x Panacea", + "WaterSulphuric MushroomAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "3x Possessed Potion", + "WaterOccult Remains", + "Alchemy Kit" + ], + [ + "3x Quartz Potion", + "WaterBoozu's HideDreamer's Root", + "Alchemy Kit" + ], + [ + "3x Rage Potion", + "WaterSmoke RootGravel Beetle", + "Alchemy Kit" + ], + [ + "1x Shimmer Potion", + "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Soothing Tea", + "WaterSeaweed", + "Cooking Pot" + ], + [ + "1x Stability Potion", + "Insect HuskLivweediWater", + "Alchemy Kit" + ], + [ + "3x Stealth Potion", + "WaterWoolshroomGhost's Eye", + "Alchemy Kit" + ], + [ + "1x Stoneflesh Elixir", + "WaterGravel BeetleInsect HuskCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Sulphur Potion", + "WaterSulphuric MushroomCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Survivor Elixir", + "WaterOchre Spice BeetleCrystal PowderLivweedi", + "Alchemy Kit" + ], + [ + "1x Warm Potion", + "Thick OilWater", + "Alchemy Kit" + ], + [ + "1x Warrior Elixir", + "Krimp NutCrystal PowderLarva EggWater", + "Alchemy Kit" + ], + [ + "1x Weather Defense Potion", + "WaterGreasy FernCrystal Powder", + "Alchemy Kit" + ] + ] + } + ], + "description": "Clean Water is a consumable item, as well as a crafting ingredient, which is contained by a Waterskin." + }, + { + "name": "Cleaver Halberd", + "url": "https://outward.fandom.com/wiki/Cleaver_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "250", + "Class": "Polearms", + "Damage": "28", + "Durability": "350", + "Impact": "41", + "Item Set": "Brutal Set", + "Object ID": "2140010", + "Sell": "75", + "Stamina Cost": "6", + "Type": "Halberd", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f1/Cleaver_Halberd.png/revision/latest?cb=20190412212830", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Cleaver Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6", + "damage": "28", + "description": "Two wide-sweeping strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.5", + "damage": "36.4", + "description": "Forward-thrusting strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.5", + "damage": "36.4", + "description": "Wide-sweeping strike from left", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.5", + "damage": "47.6", + "description": "Slow but powerful sweeping strike", + "impact": "69.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "28", + "41", + "6", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "36.4", + "53.3", + "7.5", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "36.4", + "53.3", + "7.5", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "47.6", + "69.7", + "10.5", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +80% of the existing weapon's physical damage as Physical damageAdds +18 bonus ImpactWeapon now inflicts Curse (35% buildup)", + "enchantment": "Abomination" + }, + { + "effects": "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)", + "enchantment": "Crumbling Anger" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Abomination", + "Adds +80% of the existing weapon's physical damage as Physical damageAdds +18 bonus ImpactWeapon now inflicts Curse (35% buildup)" + ], + [ + "Crumbling Anger", + "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "7.1%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "7.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Captain" + } + ], + "raw_rows": [ + [ + "Bandit Captain", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Cleaver Halberd is a polearm in Outward that visually resembles a two-handed sword. While it does not have the \"Brutal\" title in its official name, it does in its internal name, so it seems that it is meant to be part of the Brutal Set." + }, + { + "name": "Cloth Knuckles", + "url": "https://outward.fandom.com/wiki/Cloth_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "16", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "12", + "Durability": "250", + "Impact": "9", + "Object ID": "2160020", + "Sell": "4", + "Stamina Cost": "2", + "Type": "Two-Handed", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ed/Cloth_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20200616185332", + "recipes": [ + { + "result": "Cloth Knuckles", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Linen Cloth", + "Linen Cloth" + ], + "station": "None", + "source_page": "Cloth Knuckles" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2", + "damage": "12", + "description": "Four fast punches, right to left", + "impact": "9", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "2.6", + "damage": "15.6", + "description": "Forward-lunging left hook", + "impact": "11.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "2.4", + "damage": "15.6", + "description": "Left dodging, left uppercut", + "impact": "11.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "2.4", + "damage": "15.6", + "description": "Right dodging, right spinning hammer strike", + "impact": "11.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "12", + "9", + "2", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "15.6", + "11.7", + "2.6", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "15.6", + "11.7", + "2.4", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "15.6", + "11.7", + "2.4", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Linen Cloth Linen Cloth Linen Cloth", + "result": "1x Cloth Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cloth Knuckles", + "Linen Cloth Linen Cloth Linen Cloth", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Cloth Knuckles is a type of Weapon in Outward." + }, + { + "name": "Coil Lantern", + "url": "https://outward.fandom.com/wiki/Coil_Lantern", + "categories": [ + "Items", + "Equipment", + "Lanterns" + ], + "infobox": { + "Buy": "300", + "Class": "Lanterns", + "Durability": "500", + "Object ID": "5100090", + "Sell": "90", + "Type": "Throwable", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f7/Coil_Lantern.png/revision/latest?cb=20190411074633", + "recipes": [ + { + "result": "Coil Lantern", + "result_count": "1x", + "ingredients": [ + "Coil Lantern", + "Power Coil" + ], + "station": "None", + "source_page": "Coil Lantern" + } + ], + "tables": [ + { + "title": "Crafting / Refueling", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Coil Lantern Power Coil", + "result": "1x Coil Lantern", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Coil Lantern", + "Coil Lantern Power Coil", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Engineer Orsten" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1", + "100%", + "Harmattan" + ], + [ + "Engineer Orsten", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Coil Lantern is an advanced type of Lantern in Outward. The light it provides is white-green instead of the usual orange-yellow." + }, + { + "name": "Cold Stone", + "url": "https://outward.fandom.com/wiki/Cold_Stone", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "25", + "Object ID": "6500020", + "Sell": "8", + "Type": "Ingredient", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7e/Cold_Stone.png/revision/latest/scale-to-width-down/83?cb=20190415155655", + "recipes": [ + { + "result": "Cold Stone", + "result_count": "3x", + "ingredients": [ + "Blue Sand", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Axe", + "result_count": "1x", + "ingredients": [ + "Hailfrost Axe", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Claymore", + "result_count": "1x", + "ingredients": [ + "Hailfrost Claymore", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Dagger", + "result_count": "1x", + "ingredients": [ + "Hailfrost Dagger", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Greataxe", + "result_count": "1x", + "ingredients": [ + "Hailfrost Greataxe", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Halberd", + "result_count": "1x", + "ingredients": [ + "Hailfrost Halberd", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Hammer", + "result_count": "1x", + "ingredients": [ + "Hailfrost Hammer", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Knuckles", + "result_count": "1x", + "ingredients": [ + "Hailfrost Knuckles", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Mace", + "result_count": "1x", + "ingredients": [ + "Hailfrost Mace", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Pistol", + "result_count": "1x", + "ingredients": [ + "Hailfrost Pistol", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Spear", + "result_count": "1x", + "ingredients": [ + "Hailfrost Spear", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Sword", + "result_count": "1x", + "ingredients": [ + "Hailfrost Sword", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Ice Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Livweedi", + "Cold Stone" + ], + "station": "Alchemy Kit", + "source_page": "Cold Stone" + }, + { + "result": "Ice-Flame Torch", + "result_count": "1x", + "ingredients": [ + "Makeshift Torch", + "Cold Stone", + "Iron Scrap" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Ice-Flame Torch", + "result_count": "1x", + "ingredients": [ + "Ice-Flame Torch", + "Cold Stone" + ], + "station": "None", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Axe", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Militia Axe", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Claymore", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Claymore", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Dagger", + "result_count": "1x", + "ingredients": [ + "150 silver", + "1x Militia Dagger", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Greataxe", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Greataxe", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Halberd", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Halberd", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Hammer", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Hammer", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Knuckles", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Knuckles", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Mace", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Militia Mace", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Pistol", + "result_count": "1x", + "ingredients": [ + "150 silver", + "1x Militia Pistol", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Spear", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Spear", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + }, + { + "result": "Hailfrost Sword", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Militia Sword", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Cold Stone" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Blue Sand Mana Stone", + "result": "3x Cold Stone", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Cold Stone", + "Blue Sand Mana Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost AxeCold Stone", + "result": "1x Hailfrost Axe", + "station": "None" + }, + { + "ingredients": "Hailfrost ClaymoreCold Stone", + "result": "1x Hailfrost Claymore", + "station": "None" + }, + { + "ingredients": "Hailfrost DaggerCold Stone", + "result": "1x Hailfrost Dagger", + "station": "None" + }, + { + "ingredients": "Hailfrost GreataxeCold Stone", + "result": "1x Hailfrost Greataxe", + "station": "None" + }, + { + "ingredients": "Hailfrost HalberdCold Stone", + "result": "1x Hailfrost Halberd", + "station": "None" + }, + { + "ingredients": "Hailfrost HammerCold Stone", + "result": "1x Hailfrost Hammer", + "station": "None" + }, + { + "ingredients": "Hailfrost KnucklesCold Stone", + "result": "1x Hailfrost Knuckles", + "station": "None" + }, + { + "ingredients": "Hailfrost MaceCold Stone", + "result": "1x Hailfrost Mace", + "station": "None" + }, + { + "ingredients": "Hailfrost PistolCold Stone", + "result": "1x Hailfrost Pistol", + "station": "None" + }, + { + "ingredients": "Hailfrost SpearCold Stone", + "result": "1x Hailfrost Spear", + "station": "None" + }, + { + "ingredients": "Hailfrost SwordCold Stone", + "result": "1x Hailfrost Sword", + "station": "None" + }, + { + "ingredients": "Gaberry WineLivweediCold Stone", + "result": "1x Ice Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Makeshift TorchCold StoneIron Scrap", + "result": "1x Ice-Flame Torch", + "station": "None" + }, + { + "ingredients": "Ice-Flame TorchCold Stone", + "result": "1x Ice-Flame Torch", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Axe", + "Hailfrost AxeCold Stone", + "None" + ], + [ + "1x Hailfrost Claymore", + "Hailfrost ClaymoreCold Stone", + "None" + ], + [ + "1x Hailfrost Dagger", + "Hailfrost DaggerCold Stone", + "None" + ], + [ + "1x Hailfrost Greataxe", + "Hailfrost GreataxeCold Stone", + "None" + ], + [ + "1x Hailfrost Halberd", + "Hailfrost HalberdCold Stone", + "None" + ], + [ + "1x Hailfrost Hammer", + "Hailfrost HammerCold Stone", + "None" + ], + [ + "1x Hailfrost Knuckles", + "Hailfrost KnucklesCold Stone", + "None" + ], + [ + "1x Hailfrost Mace", + "Hailfrost MaceCold Stone", + "None" + ], + [ + "1x Hailfrost Pistol", + "Hailfrost PistolCold Stone", + "None" + ], + [ + "1x Hailfrost Spear", + "Hailfrost SpearCold Stone", + "None" + ], + [ + "1x Hailfrost Sword", + "Hailfrost SwordCold Stone", + "None" + ], + [ + "1x Ice Varnish", + "Gaberry WineLivweediCold Stone", + "Alchemy Kit" + ], + [ + "1x Ice-Flame Torch", + "Makeshift TorchCold StoneIron Scrap", + "None" + ], + [ + "1x Ice-Flame Torch", + "Ice-Flame TorchCold Stone", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver1x Militia Axe1x Cold Stone", + "result": "1x Hailfrost Axe", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "300 silver1x Militia Claymore1x Cold Stone", + "result": "1x Hailfrost Claymore", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "150 silver1x Militia Dagger1x Cold Stone", + "result": "1x Hailfrost Dagger", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "300 silver1x Militia Greataxe1x Cold Stone", + "result": "1x Hailfrost Greataxe", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "300 silver1x Militia Halberd1x Cold Stone", + "result": "1x Hailfrost Halberd", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "300 silver1x Militia Hammer1x Cold Stone", + "result": "1x Hailfrost Hammer", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "300 silver1x Militia Knuckles1x Cold Stone", + "result": "1x Hailfrost Knuckles", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "200 silver1x Militia Mace1x Cold Stone", + "result": "1x Hailfrost Mace", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "150 silver1x Militia Pistol1x Cold Stone", + "result": "1x Hailfrost Pistol", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "300 silver1x Militia Spear1x Cold Stone", + "result": "1x Hailfrost Spear", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "200 silver1x Militia Sword1x Cold Stone", + "result": "1x Hailfrost Sword", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Axe", + "200 silver1x Militia Axe1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Claymore", + "300 silver1x Militia Claymore1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Dagger", + "150 silver1x Militia Dagger1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Greataxe", + "300 silver1x Militia Greataxe1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Halberd", + "300 silver1x Militia Halberd1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Hammer", + "300 silver1x Militia Hammer1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Knuckles", + "300 silver1x Militia Knuckles1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Mace", + "200 silver1x Militia Mace1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Pistol", + "150 silver1x Militia Pistol1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Spear", + "300 silver1x Militia Spear1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Sword", + "200 silver1x Militia Sword1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Cold Mana Stone Vein" + } + ], + "raw_rows": [ + [ + "Cold Mana Stone Vein", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 6", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 12", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 12", + "source": "Fourth Watcher" + } + ], + "raw_rows": [ + [ + "Patrick Arago, General Store", + "3 - 6", + "100%", + "New Sirocco" + ], + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 12", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 12", + "25.9%", + "Conflux Chambers" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1 - 3", + "source": "Accursed Wendigo" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Quartz Elemental" + }, + { + "chance": "100%", + "quantity": "1 - 3", + "source": "The First Cannibal" + }, + { + "chance": "100%", + "quantity": "1 - 3", + "source": "Wendigo" + }, + { + "chance": "52.1%", + "quantity": "1 - 3", + "source": "Ice Witch" + }, + { + "chance": "50%", + "quantity": "3 - 5", + "source": "Arcane Elemental (Frost)" + }, + { + "chance": "23.5%", + "quantity": "1 - 2", + "source": "Quartz Gastrocin" + }, + { + "chance": "9.4%", + "quantity": "1", + "source": "Jade-Lich Acolyte" + } + ], + "raw_rows": [ + [ + "Accursed Wendigo", + "1 - 3", + "100%" + ], + [ + "Quartz Elemental", + "2 - 3", + "100%" + ], + [ + "The First Cannibal", + "1 - 3", + "100%" + ], + [ + "Wendigo", + "1 - 3", + "100%" + ], + [ + "Ice Witch", + "1 - 3", + "52.1%" + ], + [ + "Arcane Elemental (Frost)", + "3 - 5", + "50%" + ], + [ + "Quartz Gastrocin", + "1 - 2", + "23.5%" + ], + [ + "Jade-Lich Acolyte", + "1", + "9.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 6", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 6", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 6", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 6", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 6", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 6", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path", + "quantity": "1 - 6", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 6", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 6", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 6", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 6", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 6", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 6", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 6", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 6", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 6", + "14.8%", + "Ark of the Exiled, Forest Hives" + ], + [ + "Soldier's Corpse", + "1 - 6", + "14.8%", + "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "Cold Stone is an item in Outward." + }, + { + "name": "Comet Incense", + "url": "https://outward.fandom.com/wiki/Comet_Incense", + "categories": [ + "DLC: The Soroboreans", + "Incense", + "Items", + "Recipe images" + ], + "infobox": { + "Buy": "600", + "Class": "Incense", + "DLC": "The Soroboreans", + "Object ID": "6000260", + "Sell": "180", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/55/Comet_Incense.png/revision/latest/scale-to-width-down/83?cb=20200616185333", + "recipes": [ + { + "result": "Comet Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Decay", + "Cecropia Incense" + ], + "station": "Alchemy Kit", + "source_page": "Comet Incense" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying Quartz Tourmaline Elemental Particle – Decay Cecropia Incense", + "result": "4x Comet Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Comet Incense", + "Purifying Quartz Tourmaline Elemental Particle – Decay Cecropia Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.4%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "24.4%", + "Forgotten Research Laboratory" + ] + ] + }, + { + "title": "Used In Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +80% of the existing weapon's physical damage as Physical damageAdds +18 bonus ImpactWeapon now inflicts Curse (35% buildup)", + "enchantment": "Abomination" + }, + { + "effects": "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)", + "enchantment": "Crumbling Anger" + }, + { + "effects": "Gain +10% Decay damage bonus", + "enchantment": "Forbidden Knowledge" + }, + { + "effects": "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)", + "enchantment": "Formless Material" + }, + { + "effects": "Gain +10 flat Decay damageWeapon now inflicts Extreme Poison (21% buildup)", + "enchantment": "Irrepressible Anger" + }, + { + "effects": "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Scourge's Outbreak" + }, + { + "effects": "Gain +5% Cooldown ReductionGain +25% Decay damage bonus", + "enchantment": "Spirit of Harmattan" + } + ], + "raw_rows": [ + [ + "Abomination", + "Adds +80% of the existing weapon's physical damage as Physical damageAdds +18 bonus ImpactWeapon now inflicts Curse (35% buildup)" + ], + [ + "Crumbling Anger", + "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)" + ], + [ + "Forbidden Knowledge", + "Gain +10% Decay damage bonus" + ], + [ + "Formless Material", + "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)" + ], + [ + "Irrepressible Anger", + "Gain +10 flat Decay damageWeapon now inflicts Extreme Poison (21% buildup)" + ], + [ + "Scourge's Outbreak", + "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Spirit of Harmattan", + "Gain +5% Cooldown ReductionGain +25% Decay damage bonus" + ] + ] + } + ], + "description": "Comet Incense is an Item in Outward, used in Enchanting." + }, + { + "name": "Common Mushroom", + "url": "https://outward.fandom.com/wiki/Common_Mushroom", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "2", + "Effects": "—", + "Hunger": "5%", + "Object ID": "4000220", + "Perish Time": "8 Days", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2e/Common_Mushroom.png/revision/latest/scale-to-width-down/83?cb=20190410132019", + "effects": [ + "Restores 50 Hunger" + ], + "recipes": [ + { + "result": "Antidote", + "result_count": "1x", + "ingredients": [ + "Common Mushroom", + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Common Mushroom" + }, + { + "result": "Dry Mushroom Bar", + "result_count": "5x", + "ingredients": [ + "Common Mushroom", + "Common Mushroom", + "Common Mushroom", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Common Mushroom" + }, + { + "result": "Fungal Cleanser", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Mushroom", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Common Mushroom" + }, + { + "result": "Great Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Common Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Common Mushroom" + }, + { + "result": "Grilled Mushroom", + "result_count": "1x", + "ingredients": [ + "Common Mushroom" + ], + "station": "Campfire", + "source_page": "Common Mushroom" + }, + { + "result": "Miner's Omelet", + "result_count": "3x", + "ingredients": [ + "Egg", + "Egg", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Common Mushroom" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Common MushroomThick OilWater", + "result": "1x Antidote", + "station": "Alchemy Kit" + }, + { + "ingredients": "Common MushroomCommon MushroomCommon MushroomCommon Mushroom", + "result": "5x Dry Mushroom Bar", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomMushroomOchre Spice Beetle", + "result": "3x Fungal Cleanser", + "station": "Cooking Pot" + }, + { + "ingredients": "Obsidian ShardCommon MushroomWater", + "result": "1x Great Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Common Mushroom", + "result": "1x Grilled Mushroom", + "station": "Campfire" + }, + { + "ingredients": "EggEggCommon Mushroom", + "result": "3x Miner's Omelet", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Antidote", + "Common MushroomThick OilWater", + "Alchemy Kit" + ], + [ + "5x Dry Mushroom Bar", + "Common MushroomCommon MushroomCommon MushroomCommon Mushroom", + "Cooking Pot" + ], + [ + "3x Fungal Cleanser", + "WoolshroomMushroomOchre Spice Beetle", + "Cooking Pot" + ], + [ + "1x Great Endurance Potion", + "Obsidian ShardCommon MushroomWater", + "Alchemy Kit" + ], + [ + "1x Grilled Mushroom", + "Common Mushroom", + "Campfire" + ], + [ + "3x Miner's Omelet", + "EggEggCommon Mushroom", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Green Mushroom" + } + ], + "raw_rows": [ + [ + "Green Mushroom", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 3", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 8", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "8", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3 - 5", + "source": "Pholiota/Low Stock" + }, + { + "chance": "100%", + "locations": "Vendavel Fortress", + "quantity": "3 - 5", + "source": "Vendavel Prisoner" + }, + { + "chance": "23.2%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 9", + "source": "Pholiota/Low Stock" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "1 - 4", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Patrick Arago, General Store", + "2 - 3", + "100%", + "New Sirocco" + ], + [ + "Pelletier Baker, Chef", + "3 - 8", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "8", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "3 - 5", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Vendavel Prisoner", + "3 - 5", + "100%", + "Vendavel Fortress" + ], + [ + "Pholiota/Low Stock", + "2 - 9", + "23.2%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Tuan the Alchemist", + "1 - 4", + "11.8%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "46.2%", + "quantity": "1 - 2", + "source": "Troglodyte Knight" + }, + { + "chance": "29.8%", + "quantity": "1 - 3", + "source": "Phytosaur" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Armored Troglodyte" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Troglodyte" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Troglodyte Grenadier" + }, + { + "chance": "15.4%", + "quantity": "1", + "source": "Mana Troglodyte" + }, + { + "chance": "15.4%", + "quantity": "1", + "source": "Troglodyte Archmage" + } + ], + "raw_rows": [ + [ + "Troglodyte Knight", + "1 - 2", + "46.2%" + ], + [ + "Phytosaur", + "1 - 3", + "29.8%" + ], + [ + "Armored Troglodyte", + "1", + "28.6%" + ], + [ + "Troglodyte", + "1", + "28.6%" + ], + [ + "Troglodyte Grenadier", + "1", + "28.6%" + ], + [ + "Mana Troglodyte", + "1", + "15.4%" + ], + [ + "Troglodyte Archmage", + "1", + "15.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "2 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "2 - 3", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "2 - 3", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "2 - 3", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "2 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "2 - 3", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "2 - 3", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 4", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 4", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "2 - 3", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "2 - 3", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "2 - 3", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "2 - 3", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "2 - 3", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "2 - 3", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "2 - 3", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ] + ] + } + ], + "description": "Common Mushroom is a common food item in Outward, and a type of Mushroom." + }, + { + "name": "Compasswood Staff", + "url": "https://outward.fandom.com/wiki/Compasswood_Staff", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "Damage": "12 12", + "Damage Bonus": "20%", + "Durability": "225", + "Impact": "41", + "Mana Cost": "-20%", + "Object ID": "2150030", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Staff", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1c/Compasswood_Staff.png/revision/latest?cb=20190412213812", + "recipes": [ + { + "result": "Rotwood Staff", + "result_count": "1x", + "ingredients": [ + "Compasswood Staff", + "Blue Sand", + "Crystal Powder" + ], + "station": "None", + "source_page": "Compasswood Staff" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "12 12", + "description": "Two wide-sweeping strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "15.6 15.6", + "description": "Forward-thrusting strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "15.6 15.6", + "description": "Wide-sweeping strike from left", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "20.4 20.4", + "description": "Slow but powerful sweeping strike", + "impact": "69.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "12 12", + "41", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "15.6 15.6", + "53.3", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "15.6 15.6", + "53.3", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.4 20.4", + "69.7", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Guardian of the Compass" + } + ], + "raw_rows": [ + [ + "Guardian of the Compass", + "1", + "100%" + ] + ] + }, + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Compasswood StaffBlue SandCrystal Powder", + "result": "1x Rotwood Staff", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Rotwood Staff", + "Compasswood StaffBlue SandCrystal Powder", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Compasswood Staff is a staff in Outward." + }, + { + "name": "Conqueror's Medal", + "url": "https://outward.fandom.com/wiki/Conqueror%27s_Medal", + "categories": [ + "DLC: The Three Brothers", + "Currency", + "Items" + ], + "infobox": { + "Buy": "1", + "Object ID": "5600176", + "Sell": "1", + "Type": "Currency", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/68/Conqueror%27s_Medal.png/revision/latest/scale-to-width-down/83?cb=20201220074812", + "description": "Conqueror's Medal is a currency Item in Outward, used in the Gladiator's Arena in New Sirocco." + }, + { + "name": "Cooked Alpha Meat", + "url": "https://outward.fandom.com/wiki/Cooked_Alpha_Meat", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Health Recovery 3Rage", + "Hunger": "20%", + "Object ID": "4100011", + "Perish Time": "8 Days", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b9/Cooked_Alpha_Meat.png/revision/latest/scale-to-width-down/83?cb=20190410125754", + "effects": [ + "Restores 20% Hunger", + "Player receives Rage", + "Player receives Health Recovery (level 3)" + ], + "effect_links": [ + "/wiki/Rage" + ], + "recipes": [ + { + "result": "Cooked Alpha Meat", + "result_count": "1x", + "ingredients": [ + "Raw Alpha Meat" + ], + "station": "Campfire", + "source_page": "Cooked Alpha Meat" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Alpha Meat" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Alpha Meat" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Cooked Alpha Meat" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Alpha Meat" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Alpha Meat" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Alpha Meat" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Cooked Alpha Meat" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Alpha Meat", + "result": "1x Cooked Alpha Meat", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Cooked Alpha Meat", + "Raw Alpha Meat", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipes / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Cooked Alpha Meat is a food item in Outward and is a type of Meat." + }, + { + "name": "Cooked Bird Egg", + "url": "https://outward.fandom.com/wiki/Cooked_Bird_Egg", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Health Recovery 1Stamina Recovery 1", + "Hunger": "7.5%", + "Object ID": "4100300", + "Perish Time": "8 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0b/Cooked_Bird_Egg.png/revision/latest/scale-to-width-down/83?cb=20190410140853", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Health Recovery (level 1)", + "Player receives Stamina Recovery (level 1)" + ], + "recipes": [ + { + "result": "Cooked Bird Egg", + "result_count": "1x", + "ingredients": [ + "Bird Egg" + ], + "station": "Campfire", + "source_page": "Cooked Bird Egg" + }, + { + "result": "Angel Food Cake", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Cooked Bird Egg" + }, + { + "result": "Cheese Cake", + "result_count": "3x", + "ingredients": [ + "Fresh Cream", + "Fresh Cream", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Cooked Bird Egg" + }, + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Cooked Bird Egg" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Cooked Bird Egg" + }, + { + "result": "Miner's Omelet", + "result_count": "3x", + "ingredients": [ + "Egg", + "Egg", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Cooked Bird Egg" + }, + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Cooked Bird Egg" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Cooked Bird Egg" + }, + { + "result": "Spiny Meringue", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Egg", + "Larva Egg" + ], + "station": "Cooking Pot", + "source_page": "Cooked Bird Egg" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bird Egg", + "result": "1x Cooked Bird Egg", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Cooked Bird Egg", + "Bird Egg", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "FlourEggSugar", + "result": "3x Angel Food Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Fresh CreamFresh CreamEggSugar", + "result": "3x Cheese Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's MeatSaltEggFlour", + "result": "1x Cipate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "EggEggCommon Mushroom", + "result": "3x Miner's Omelet", + "station": "Cooking Pot" + }, + { + "ingredients": "FlourEggSugarBoozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Cactus FruitCactus FruitEggLarva Egg", + "result": "3x Spiny Meringue", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Angel Food Cake", + "FlourEggSugar", + "Cooking Pot" + ], + [ + "3x Cheese Cake", + "Fresh CreamFresh CreamEggSugar", + "Cooking Pot" + ], + [ + "1x Cipate", + "Boozu's MeatSaltEggFlour", + "Cooking Pot" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "3x Miner's Omelet", + "EggEggCommon Mushroom", + "Cooking Pot" + ], + [ + "3x Pouding Chomeur", + "FlourEggSugarBoozu's Milk", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Spiny Meringue", + "Cactus FruitCactus FruitEggLarva Egg", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Cooked Bird Egg is a Food item in Outward." + }, + { + "name": "Cooked Boozu's Meat", + "url": "https://outward.fandom.com/wiki/Cooked_Boozu%27s_Meat", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Soroboreans", + "Effects": "Health Recovery 3Corruption Resistance 1", + "Hunger": "20%", + "Object ID": "4100620", + "Perish Time": "8 Days", + "Sell": "5", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/06/Cooked_Boozu%27s_Meat.png/revision/latest/scale-to-width-down/83?cb=20200616185336", + "effects": [ + "Restores 20% Hunger", + "Player receives Health Recovery (level 3)", + "Player receives Corruption Resistance (level 1)" + ], + "recipes": [ + { + "result": "Cooked Boozu's Meat", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat" + ], + "station": "Campfire", + "source_page": "Cooked Boozu's Meat" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Boozu's Meat" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Boozu's Meat" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Cooked Boozu's Meat" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Boozu's Meat" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Boozu's Meat" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Boozu's Meat", + "result": "1x Cooked Boozu's Meat", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Cooked Boozu's Meat", + "Boozu's Meat", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2.8%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "2.8%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 2", + "2.8%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Cooked Boozu's Meat is an Item in Outward." + }, + { + "name": "Cooked Jewel Meat", + "url": "https://outward.fandom.com/wiki/Cooked_Jewel_Meat", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Speed UpHealth Recovery 2", + "Hunger": "15%", + "Object ID": "4100360", + "Perish Time": "19 Days 20 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7e/Cooked_Jewel_Meat.png/revision/latest/scale-to-width-down/70?cb=20190410125816", + "effects": [ + "Restores 15% Hunger", + "Player receives Speed Up", + "Player receives Health Recovery (level 2)" + ], + "recipes": [ + { + "result": "Cooked Jewel Meat", + "result_count": "1x", + "ingredients": [ + "Raw Jewel Meat" + ], + "station": "Campfire", + "source_page": "Cooked Jewel Meat" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Jewel Meat" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Jewel Meat" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Cooked Jewel Meat" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Jewel Meat" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Jewel Meat" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel Meat", + "result": "1x Cooked Jewel Meat", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Cooked Jewel Meat", + "Raw Jewel Meat", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Cooked Jewel Meat is a Food item in Outward." + }, + { + "name": "Cooked Larva Egg", + "url": "https://outward.fandom.com/wiki/Cooked_Larva_Egg", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Health Recovery 2Stamina Recovery 2", + "Hunger": "7.5%", + "Object ID": "4100290", + "Perish Time": "11 Days 21 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/be/Cooked_Larva_Egg.png/revision/latest/scale-to-width-down/83?cb=20190410140947", + "effects": [ + "Restore 7.5% Hunger", + "Player receives Health Recovery (level 2)", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Cooked Larva Egg", + "result_count": "1x", + "ingredients": [ + "Larva Egg" + ], + "station": "Campfire", + "source_page": "Cooked Larva Egg" + }, + { + "result": "Angel Food Cake", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Cooked Larva Egg" + }, + { + "result": "Cheese Cake", + "result_count": "3x", + "ingredients": [ + "Fresh Cream", + "Fresh Cream", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Cooked Larva Egg" + }, + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Cooked Larva Egg" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Cooked Larva Egg" + }, + { + "result": "Miner's Omelet", + "result_count": "3x", + "ingredients": [ + "Egg", + "Egg", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Cooked Larva Egg" + }, + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Cooked Larva Egg" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Cooked Larva Egg" + }, + { + "result": "Spiny Meringue", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Egg", + "Larva Egg" + ], + "station": "Cooking Pot", + "source_page": "Cooked Larva Egg" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Larva Egg", + "result": "1x Cooked Larva Egg", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Cooked Larva Egg", + "Larva Egg", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "FlourEggSugar", + "result": "3x Angel Food Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Fresh CreamFresh CreamEggSugar", + "result": "3x Cheese Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's MeatSaltEggFlour", + "result": "1x Cipate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "EggEggCommon Mushroom", + "result": "3x Miner's Omelet", + "station": "Cooking Pot" + }, + { + "ingredients": "FlourEggSugarBoozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Cactus FruitCactus FruitEggLarva Egg", + "result": "3x Spiny Meringue", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Angel Food Cake", + "FlourEggSugar", + "Cooking Pot" + ], + [ + "3x Cheese Cake", + "Fresh CreamFresh CreamEggSugar", + "Cooking Pot" + ], + [ + "1x Cipate", + "Boozu's MeatSaltEggFlour", + "Cooking Pot" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "3x Miner's Omelet", + "EggEggCommon Mushroom", + "Cooking Pot" + ], + [ + "3x Pouding Chomeur", + "FlourEggSugarBoozu's Milk", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Spiny Meringue", + "Cactus FruitCactus FruitEggLarva Egg", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Cooked Larva Egg is a Food item in Outward." + }, + { + "name": "Cooked Meat", + "url": "https://outward.fandom.com/wiki/Cooked_Meat", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Health Recovery 2", + "Hunger": "15%", + "Object ID": "4100010", + "Perish Time": "6 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cd/Cooked_Meat.png/revision/latest/scale-to-width-down/83?cb=20190410125946", + "effects": [ + "Restores 15% Hunger", + "Player receives Health Recovery (level 2)" + ], + "recipes": [ + { + "result": "Cooked Meat", + "result_count": "1x", + "ingredients": [ + "Raw Meat" + ], + "station": "Campfire", + "source_page": "Cooked Meat" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Meat" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Meat" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Cooked Meat" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Meat" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Meat" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cooked Meat" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Cooked Meat" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Meat", + "result": "1x Cooked Meat", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Cooked Meat", + "Raw Meat", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipes / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Cooked Meat is a food item in Outward and it is a type of Meat." + }, + { + "name": "Cooked Torcrab Egg", + "url": "https://outward.fandom.com/wiki/Cooked_Torcrab_Egg", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "6", + "DLC": "The Three Brothers", + "Effects": "Health Recovery 1Stamina Recovery 1Warm", + "Hunger": "8%", + "Object ID": "4100950", + "Perish Time": "6 Days, 22 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c6/Cooked_Torcrab_Egg.png/revision/latest/scale-to-width-down/83?cb=20201220074813", + "effects": [ + "Restores 8% Hunger", + "Player receives Health Recovery (level 1)", + "Player receives Stamina Recovery (level 1)", + "Player receives Warm" + ], + "effect_links": [ + "/wiki/Warm" + ], + "recipes": [ + { + "result": "Cooked Torcrab Egg", + "result_count": "1x", + "ingredients": [ + "Torcrab Egg" + ], + "station": "Campfire", + "source_page": "Cooked Torcrab Egg" + }, + { + "result": "Angel Food Cake", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Cooked Torcrab Egg" + }, + { + "result": "Cheese Cake", + "result_count": "3x", + "ingredients": [ + "Fresh Cream", + "Fresh Cream", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Cooked Torcrab Egg" + }, + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Cooked Torcrab Egg" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Cooked Torcrab Egg" + }, + { + "result": "Miner's Omelet", + "result_count": "3x", + "ingredients": [ + "Egg", + "Egg", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Cooked Torcrab Egg" + }, + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Cooked Torcrab Egg" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Cooked Torcrab Egg" + }, + { + "result": "Spiny Meringue", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Egg", + "Larva Egg" + ], + "station": "Cooking Pot", + "source_page": "Cooked Torcrab Egg" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Torcrab Egg", + "result": "1x Cooked Torcrab Egg", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Cooked Torcrab Egg", + "Torcrab Egg", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "FlourEggSugar", + "result": "3x Angel Food Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Fresh CreamFresh CreamEggSugar", + "result": "3x Cheese Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's MeatSaltEggFlour", + "result": "1x Cipate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "EggEggCommon Mushroom", + "result": "3x Miner's Omelet", + "station": "Cooking Pot" + }, + { + "ingredients": "FlourEggSugarBoozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Cactus FruitCactus FruitEggLarva Egg", + "result": "3x Spiny Meringue", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Angel Food Cake", + "FlourEggSugar", + "Cooking Pot" + ], + [ + "3x Cheese Cake", + "Fresh CreamFresh CreamEggSugar", + "Cooking Pot" + ], + [ + "1x Cipate", + "Boozu's MeatSaltEggFlour", + "Cooking Pot" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "3x Miner's Omelet", + "EggEggCommon Mushroom", + "Cooking Pot" + ], + [ + "3x Pouding Chomeur", + "FlourEggSugarBoozu's Milk", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Spiny Meringue", + "Cactus FruitCactus FruitEggLarva Egg", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Cooked Torcrab Egg is an Item in Outward." + }, + { + "name": "Cooking Pot", + "url": "https://outward.fandom.com/wiki/Cooking_Pot", + "categories": [ + "Deployable", + "Crafting Station", + "Items" + ], + "infobox": { + "Buy": "20", + "Class": "Deployable", + "Object ID": "5010100", + "Sell": "6", + "Type": "Crafting Station", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f9/Cooking_Pot.png/revision/latest?cb=20190414212215", + "recipes": [ + { + "result": "Cooking Pot", + "result_count": "1x", + "ingredients": [ + "Cauldron Helm" + ], + "station": "None", + "source_page": "Cooking Pot" + }, + { + "result": "Cauldron Helm", + "result_count": "1x", + "ingredients": [ + "Cooking Pot" + ], + "station": "None", + "source_page": "Cooking Pot" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cauldron Helm", + "result": "1x Cooking Pot", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cooking Pot", + "Cauldron Helm", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cooking Pot", + "result": "1x Cauldron Helm", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cauldron Helm", + "Cooking Pot", + "None" + ] + ] + } + ], + "description": "The Cooking Pot is one of the deployable items in Outward. It can be placed on a lit campfire to allow players to craft more complex recipes." + }, + { + "name": "Cool Potion", + "url": "https://outward.fandom.com/wiki/Cool_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "15", + "Effects": "Cool Boon", + "Object ID": "4300080", + "Perish Time": "∞", + "Sell": "4", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/74/Cool_Potion.png/revision/latest?cb=20190410154420", + "effects": [ + "Player receives Cool", + "Removes Meeka Fever", + "+20% Frost damage", + "+20% Frost resistance", + "+8 Hot Weather Defense" + ], + "effect_links": [ + "/wiki/Cool" + ], + "recipes": [ + { + "result": "Cool Potion", + "result_count": "3x", + "ingredients": [ + "Gravel Beetle", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Cool Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "240 seconds", + "effects": "+20% Frost damage+20% Frost resistance+8 Hot Weather Defense", + "name": "Cool" + } + ], + "raw_rows": [ + [ + "", + "Cool", + "240 seconds", + "+20% Frost damage+20% Frost resistance+8 Hot Weather Defense" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gravel Beetle Water", + "result": "3x Cool Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Cool Potion", + "Gravel Beetle Water", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Vay the Alchemist" + }, + { + "chance": "37.9%", + "locations": "New Sirocco", + "quantity": "1 - 6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "1 - 6", + "source": "Vay the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "3", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "3", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "3", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "3", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "3", + "100%", + "Berg" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 6", + "37.9%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "1 - 6", + "33%", + "Berg" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 20", + "16.3%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ], + [ + "Tuan the Alchemist", + "1 - 2", + "11.8%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "26.3%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "25.3%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "22.1%", + "quantity": "1 - 4", + "source": "Bonded Beastmaster" + }, + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Kazite Admiral", + "1 - 5", + "26.3%" + ], + [ + "Desert Captain", + "1 - 5", + "25.3%" + ], + [ + "Bonded Beastmaster", + "1 - 4", + "22.1%" + ], + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.1%", + "locations": "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.1%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "11.1%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "11.1%", + "locations": "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Hallowed Marsh, Reptilian Lair", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "11.1%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "11.1%", + "locations": "Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "11.1%", + "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco" + ], + [ + "Calygrey Chest", + "1 - 2", + "11.1%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "11.1%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "11.1%", + "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone" + ], + [ + "Corpse", + "1 - 2", + "11.1%", + "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Antique Plateau, Hallowed Marsh, Reptilian Lair" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "11.1%", + "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "11.1%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 2", + "11.1%", + "Voltaic Hatchery" + ] + ] + } + ], + "description": "Cool Potion is a consumable item in Outward." + }, + { + "name": "Cool Rainbow Jam", + "url": "https://outward.fandom.com/wiki/Cool_Rainbow_Jam", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "DLC": "The Three Brothers", + "Effects": "Barrier (Effect) 1Hot Weather DefenseMana Ratio Recovery 2", + "Hunger": "15%", + "Object ID": "4100860", + "Perish Time": "29 Days, 18 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/44/Cool_Rainbow_Jam.png/revision/latest/scale-to-width-down/83?cb=20201224071447", + "effects": [ + "Restores 15% Hunger", + "Player receives Barrier (Effect) (level 1)", + "Player receives Mana Ratio Recovery (level 2)", + "Player receives Hot Weather Defense" + ], + "effect_links": [ + "/wiki/Barrier_(Effect)" + ], + "recipes": [ + { + "result": "Cool Rainbow Jam", + "result_count": "1x", + "ingredients": [ + "Rainbow Peach", + "Rainbow Peach", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Cool Rainbow Jam" + }, + { + "result": "Frosted Delight", + "result_count": "3x", + "ingredients": [ + "Golden Crescent", + "Cool Rainbow Jam", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Cool Rainbow Jam" + }, + { + "result": "Rainbow Tartine", + "result_count": "3x", + "ingredients": [ + "Cool Rainbow Jam", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Cool Rainbow Jam" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cool Rainbow Jam" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Cool Rainbow Jam" + }, + { + "result": "Vagabond's Gelatin", + "result_count": "1x", + "ingredients": [ + "Cool Rainbow Jam", + "Golden Jam", + "Gaberry Jam", + "Marshmelon Jelly" + ], + "station": "Cooking Pot", + "source_page": "Cool Rainbow Jam" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Rainbow Peach Rainbow Peach Frosted Powder", + "result": "1x Cool Rainbow Jam", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Cool Rainbow Jam", + "Rainbow Peach Rainbow Peach Frosted Powder", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Golden CrescentCool Rainbow JamFrosted Powder", + "result": "3x Frosted Delight", + "station": "Cooking Pot" + }, + { + "ingredients": "Cool Rainbow JamBread", + "result": "3x Rainbow Tartine", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + }, + { + "ingredients": "Cool Rainbow JamGolden JamGaberry JamMarshmelon Jelly", + "result": "1x Vagabond's Gelatin", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Frosted Delight", + "Golden CrescentCool Rainbow JamFrosted Powder", + "Cooking Pot" + ], + [ + "3x Rainbow Tartine", + "Cool Rainbow JamBread", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ], + [ + "1x Vagabond's Gelatin", + "Cool Rainbow JamGolden JamGaberry JamMarshmelon Jelly", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Cool Rainbow Jam is an Item in Outward." + }, + { + "name": "Copal", + "url": "https://outward.fandom.com/wiki/Copal", + "categories": [ + "Ingredient", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "30", + "Object ID": "6200060", + "Sell": "30", + "Type": "Ingredient", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/81/Copal.png/revision/latest?cb=20220401183529", + "recipes": [ + { + "result": "Copal Armor", + "result_count": "1x", + "ingredients": [ + "200 silver", + "5x Copal" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Copal" + }, + { + "result": "Copal Boots", + "result_count": "1x", + "ingredients": [ + "100 silver", + "2x Copal" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Copal" + }, + { + "result": "Copal Helm", + "result_count": "1x", + "ingredients": [ + "100 silver", + "2x Copal" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Copal" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver5x Copal", + "result": "1x Copal Armor", + "station": "Quikiza the Blacksmith" + }, + { + "ingredients": "100 silver2x Copal", + "result": "1x Copal Boots", + "station": "Quikiza the Blacksmith" + }, + { + "ingredients": "100 silver2x Copal", + "result": "1x Copal Helm", + "station": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Copal Armor", + "200 silver5x Copal", + "Quikiza the Blacksmith" + ], + [ + "1x Copal Boots", + "100 silver2x Copal", + "Quikiza the Blacksmith" + ], + [ + "1x Copal Helm", + "100 silver2x Copal", + "Quikiza the Blacksmith" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Yellow Copal" + } + ], + "raw_rows": [ + [ + "Yellow Copal", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.3%", + "quantity": "1", + "source": "Hive Lord" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Tyrant of the Hive" + } + ], + "raw_rows": [ + [ + "Hive Lord", + "1", + "14.3%" + ], + [ + "Tyrant of the Hive", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1 - 2", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1 - 2", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1 - 2", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1 - 2", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Copal is an uncommon crafting component in Outward." + }, + { + "name": "Copal Armor", + "url": "https://outward.fandom.com/wiki/Copal_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "275", + "Damage Resist": "14% 30% 20%", + "Durability": "190", + "Impact Resist": "10%", + "Item Set": "Copal Set", + "Made By": "Quikiza (Berg)", + "Materials": "5x Copal 200", + "Object ID": "3000160", + "Protection": "3", + "Sell": "91", + "Slot": "Chest", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4a/Copal_Armor.png/revision/latest?cb=20190415114010", + "recipes": [ + { + "result": "Copal Armor", + "result_count": "1x", + "ingredients": [ + "200 silver", + "5x Copal" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Copal Armor" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver5x Copal", + "result": "1x Copal Armor", + "station": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Copal Armor", + "200 silver5x Copal", + "Quikiza the Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +25% Ethereal damage bonus", + "enchantment": "Spirit of Berg" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Berg", + "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +25% Ethereal damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Copal Armor is a type of Armor in Outward." + }, + { + "name": "Copal Boots", + "url": "https://outward.fandom.com/wiki/Copal_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "150", + "Damage Resist": "7% 15% 10%", + "Durability": "190", + "Impact Resist": "4%", + "Item Set": "Copal Set", + "Made By": "Quikiza (Berg)", + "Materials": "2x Copal 100", + "Object ID": "3000162", + "Protection": "2", + "Sell": "49", + "Slot": "Legs", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/87/Copal_Boots.png/revision/latest?cb=20190415152355", + "recipes": [ + { + "result": "Copal Boots", + "result_count": "1x", + "ingredients": [ + "100 silver", + "2x Copal" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Copal Boots" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "100 silver2x Copal", + "result": "1x Copal Boots", + "station": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Copal Boots", + "100 silver2x Copal", + "Quikiza the Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Copal Boots is a type of Armor in Outward." + }, + { + "name": "Copal Helm", + "url": "https://outward.fandom.com/wiki/Copal_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "150", + "Damage Resist": "7% 15% 10%", + "Durability": "190", + "Impact Resist": "6%", + "Item Set": "Copal Set", + "Made By": "Quikiza (Berg)", + "Mana Cost": "15%", + "Materials": "2x Copal 100", + "Object ID": "3000161", + "Protection": "2", + "Sell": "45", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/76/Copal_Helm.png/revision/latest?cb=20190407062954", + "recipes": [ + { + "result": "Copal Helm", + "result_count": "1x", + "ingredients": [ + "100 silver", + "2x Copal" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Copal Helm" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "100 silver2x Copal", + "result": "1x Copal Helm", + "station": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Copal Helm", + "100 silver2x Copal", + "Quikiza the Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Copal Helm is a type of Armor in Outward." + }, + { + "name": "Copal Set", + "url": "https://outward.fandom.com/wiki/Copal_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "575", + "Damage Resist": "28% 60% 40%", + "Durability": "570", + "Impact Resist": "20%", + "Mana Cost": "15%", + "Object ID": "3000160 (Chest)3000162 (Legs)3000161 (Head)", + "Protection": "7", + "Sell": "185", + "Slot": "Set", + "Weight": "18.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3b/Copal_Armour_Set.jpg/revision/latest/scale-to-width-down/239?cb=20190331230750", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "10%", + "column_5": "3", + "column_6": "–", + "durability": "190", + "name": "Copal Armor", + "resistances": "14% 30% 20%", + "weight": "9.0" + }, + { + "class": "Boots", + "column_4": "4%", + "column_5": "2", + "column_6": "–", + "durability": "190", + "name": "Copal Boots", + "resistances": "7% 15% 10%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "6%", + "column_5": "2", + "column_6": "15%", + "durability": "190", + "name": "Copal Helm", + "resistances": "7% 15% 10%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Copal Armor", + "14% 30% 20%", + "10%", + "3", + "–", + "190", + "9.0", + "Body Armor" + ], + [ + "", + "Copal Boots", + "7% 15% 10%", + "4%", + "2", + "–", + "190", + "6.0", + "Boots" + ], + [ + "", + "Copal Helm", + "7% 15% 10%", + "6%", + "2", + "15%", + "190", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "10%", + "column_5": "3", + "column_6": "–", + "durability": "190", + "name": "Copal Armor", + "resistances": "14% 30% 20%", + "weight": "9.0" + }, + { + "class": "Boots", + "column_4": "4%", + "column_5": "2", + "column_6": "–", + "durability": "190", + "name": "Copal Boots", + "resistances": "7% 15% 10%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "6%", + "column_5": "2", + "column_6": "15%", + "durability": "190", + "name": "Copal Helm", + "resistances": "7% 15% 10%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Copal Armor", + "14% 30% 20%", + "10%", + "3", + "–", + "190", + "9.0", + "Body Armor" + ], + [ + "", + "Copal Boots", + "7% 15% 10%", + "4%", + "2", + "–", + "190", + "6.0", + "Boots" + ], + [ + "", + "Copal Helm", + "7% 15% 10%", + "6%", + "2", + "15%", + "190", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Copal Set is a Set in Outward. It can be commissioned from Quikiza in Berg." + }, + { + "name": "Coralhorn Antler", + "url": "https://outward.fandom.com/wiki/Coralhorn_Antler", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "Object ID": "6600060", + "Sell": "18", + "Type": "Ingredient", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/05/Coralhorn_Antler.png/revision/latest?cb=20190524184805", + "recipes": [ + { + "result": "Coralhorn Bow", + "result_count": "1x", + "ingredients": [ + "Coralhorn Antler", + "Coralhorn Antler", + "Recurve Bow", + "Crystal Powder" + ], + "station": "None", + "source_page": "Coralhorn Antler" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Coralhorn Antler", + "Woolshroom" + ], + "station": "Alchemy Kit", + "source_page": "Coralhorn Antler" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Coralhorn AntlerCoralhorn AntlerRecurve BowCrystal Powder", + "result": "1x Coralhorn Bow", + "station": "None" + }, + { + "ingredients": "Coralhorn AntlerWoolshroom", + "result": "1x Life Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Coralhorn Bow", + "Coralhorn AntlerCoralhorn AntlerRecurve BowCrystal Powder", + "None" + ], + [ + "1x Life Potion", + "Coralhorn AntlerWoolshroom", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "9%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "9%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Alpha Coralhorn" + } + ], + "raw_rows": [ + [ + "Alpha Coralhorn", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Coralhorn Antler is an Item in Outward." + }, + { + "name": "Coralhorn Bow", + "url": "https://outward.fandom.com/wiki/Coralhorn_Bow", + "categories": [ + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "250", + "Class": "Bows", + "Damage": "34", + "Durability": "200", + "Effects": "Pain", + "Impact": "16", + "Object ID": "2200040", + "Sell": "75", + "Stamina Cost": "3.96", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0c/Coralhorn_Bow.png/revision/latest?cb=20190412205905", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Coralhorn Bow", + "result_count": "1x", + "ingredients": [ + "Coralhorn Antler", + "Coralhorn Antler", + "Recurve Bow", + "Crystal Powder" + ], + "station": "None", + "source_page": "Coralhorn Bow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Coralhorn Antler Coralhorn Antler Recurve Bow Crystal Powder", + "result": "1x Coralhorn Bow", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Coralhorn Bow", + "Coralhorn Antler Coralhorn Antler Recurve Bow Crystal Powder", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Coralhorn Bow is a type of Bow in Outward." + }, + { + "name": "Coralhorn Mask", + "url": "https://outward.fandom.com/wiki/Coralhorn_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "125", + "Damage Resist": "10% 20%", + "Durability": "180", + "Impact Resist": "5%", + "Mana Cost": "-10%", + "Object ID": "3000100", + "Sell": "38", + "Slot": "Head", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/23/Coralhorn_Mask.png/revision/latest?cb=20190407194148", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Stone Titan Caves", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, Electric Lab, The Slide, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Captain's Cabin, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Levant", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Stone Titan Caves" + ], + [ + "Chest", + "1", + "5.9%", + "Abrassar, Electric Lab, The Slide, Undercity Passage" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Captain's Cabin, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Abrassar, The Slide, Undercity Passage" + ], + [ + "Stash", + "1", + "5.9%", + "Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Coralhorn Mask is a type of Armor in Outward." + }, + { + "name": "Corruption Totemic Lodge", + "url": "https://outward.fandom.com/wiki/Corruption_Totemic_Lodge", + "categories": [ + "DLC: The Three Brothers", + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "220", + "Class": "Deployable", + "DLC": "The Three Brothers", + "Duration": "2400 seconds (40 minutes)", + "Effects": "-15% Stamina costs+10% Decay damage bonus-35% lightning resistance", + "Object ID": "5000222", + "Sell": "66", + "Type": "Sleep", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ec/Corruption_Totemic_Lodge.png/revision/latest/scale-to-width-down/83?cb=20201224132259", + "effects": [ + "-15% Stamina costs", + "+10% Decay damage bonus", + "-35% lightning resistance" + ], + "recipes": [ + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Corruption Totemic Lodge" + }, + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Corruption Totemic Lodge" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Corruption Totemic Lodge" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Corruption Totemic Lodge" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Corruption Totemic Lodge" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Corruption Totemic Lodge" + } + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "-15% Stamina costs+10% Decay damage bonus-35% lightning resistance", + "name": "Sleep: Corruption Totemic Lodge" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Corruption Totemic Lodge", + "2400 seconds (40 minutes)", + "-15% Stamina costs+10% Decay damage bonus-35% lightning resistance" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced Tent Miasmapod Thorny Cartilage Predator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced Tent Miasmapod Thorny Cartilage Predator Bones", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ] + ] + } + ], + "description": "Corruption Totemic Lodge is an Item in Outward." + }, + { + "name": "Crabeye Seed", + "url": "https://outward.fandom.com/wiki/Crabeye_Seed", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Poisoned", + "Hunger": "7.5%", + "Object ID": "4000020", + "Perish Time": "14 Days 21 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c6/Crabeye_Seed.png/revision/latest/scale-to-width-down/83?cb=20190410205115", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Poisoned" + ], + "effect_links": [ + "/wiki/Poisoned" + ], + "recipes": [ + { + "result": "Grilled Crabeye Seed", + "result_count": "1x", + "ingredients": [ + "Crabeye Seed" + ], + "station": "Campfire", + "source_page": "Crabeye Seed" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Crabeye Seed", + "result": "1x Grilled Crabeye Seed", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Crabeye Seed", + "Crabeye Seed", + "Campfire" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1 - 3", + "source": "Crabeye" + } + ], + "raw_rows": [ + [ + "Crabeye", + "1 - 3", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "37.6%", + "quantity": "2 - 4", + "source": "Phytoflora" + }, + { + "chance": "18.2%", + "quantity": "1", + "source": "Virulent Hiveman" + }, + { + "chance": "18.2%", + "quantity": "1", + "source": "Walking Hive" + } + ], + "raw_rows": [ + [ + "Phytoflora", + "2 - 4", + "37.6%" + ], + [ + "Virulent Hiveman", + "1", + "18.2%" + ], + [ + "Walking Hive", + "1", + "18.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Compromised Mana Transfer Station, Under Island", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Compromised Mana Transfer Station, Under Island" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Abandoned Living Quarters" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress" + ] + ] + } + ], + "description": "Crabeye Seed is a Food item in Outward." + }, + { + "name": "Cracked Red Moon", + "url": "https://outward.fandom.com/wiki/Cracked_Red_Moon", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "25", + "Damage Bonus": "15%", + "Durability": "200", + "Effects": "Blaze", + "Impact": "40", + "Item Set": "Scarlet Set", + "Object ID": "2150180", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Staff", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7e/Cracked_Red_Moon.png/revision/latest/scale-to-width-down/83?cb=20201223084659", + "effects": [ + "Inflicts Blaze (25% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Revenant Moon", + "result_count": "1x", + "ingredients": [ + "Cracked Red Moon", + "Scarlet Gem" + ], + "station": "None", + "source_page": "Cracked Red Moon" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "25", + "description": "Two wide-sweeping strikes, left to right", + "impact": "40", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "32.5", + "description": "Forward-thrusting strike", + "impact": "52", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "32.5", + "description": "Wide-sweeping strike from left", + "impact": "52", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "42.5", + "description": "Slow but powerful sweeping strike", + "impact": "68", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "40", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "32.5", + "52", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "32.5", + "52", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "42.5", + "68", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Crimson Avatar" + } + ], + "raw_rows": [ + [ + "Crimson Avatar", + "1", + "100%" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cracked Red MoonScarlet Gem", + "result": "1x Revenant Moon", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Revenant Moon", + "Cracked Red MoonScarlet Gem", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Cracked Red Moon is a type of Weapon in Outward." + }, + { + "name": "Crawlberry", + "url": "https://outward.fandom.com/wiki/Crawlberry", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "2", + "DLC": "The Soroboreans", + "Effects": "+2% CorruptionStamina Recovery 2", + "Hunger": "7.5%", + "Object ID": "4000290", + "Perish Time": "6 Days 1 Hour", + "Sell": "1", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c2/Crawlberry.png/revision/latest/scale-to-width-down/83?cb=20200616185340", + "effects": [ + "Restores 7.5% Hunger", + "Adds 2% Corruption", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Boiled Crawlberry", + "result_count": "1x", + "ingredients": [ + "Crawlberry" + ], + "station": "Campfire", + "source_page": "Crawlberry" + }, + { + "result": "Crawlberry Jam", + "result_count": "1x", + "ingredients": [ + "Crawlberry", + "Crawlberry", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Crawlberry" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Crawlberry" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Crawlberry" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Crawlberry" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Crawlberry", + "result": "1x Boiled Crawlberry", + "station": "Campfire" + }, + { + "ingredients": "CrawlberryCrawlberrySugar", + "result": "1x Crawlberry Jam", + "station": "Cooking Pot" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Boiled Crawlberry", + "Crawlberry", + "Campfire" + ], + [ + "1x Crawlberry Jam", + "CrawlberryCrawlberrySugar", + "Cooking Pot" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Crawlberry (Gatherable)" + } + ], + "raw_rows": [ + [ + "Crawlberry (Gatherable)", + "3", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "6", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Pelletier Baker, Chef", + "6", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "16.4%", + "quantity": "3", + "source": "Bonded Beastmaster" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Wolfgang Captain" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Wolfgang Mercenary" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Wolfgang Veteran" + }, + { + "chance": "15.1%", + "quantity": "3", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "3", + "16.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "3", + "16.4%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "3", + "16.4%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "3", + "16.4%" + ], + [ + "Wolfgang Captain", + "3", + "16.4%" + ], + [ + "Wolfgang Mercenary", + "3", + "16.4%" + ], + [ + "Wolfgang Veteran", + "3", + "16.4%" + ], + [ + "Blood Sorcerer", + "3", + "15.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.3%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Chest" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "2 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "8.3%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "2 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "8.3%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Soldier's Corpse" + }, + { + "chance": "8.3%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "2 - 4", + "8.3%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "2 - 4", + "8.3%", + "Harmattan" + ], + [ + "Knight's Corpse", + "2 - 4", + "8.3%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "2 - 4", + "8.3%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "2 - 4", + "8.3%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "2 - 4", + "8.3%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "2 - 4", + "8.3%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Crawlberry is an Item in Outward." + }, + { + "name": "Crawlberry Jam", + "url": "https://outward.fandom.com/wiki/Crawlberry_Jam", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "DLC": "The Soroboreans", + "Effects": "Physical Attack Up+5% CorruptionStamina Recovery 3", + "Hunger": "15%", + "Object ID": "4100710", + "Perish Time": "29 Days, 18 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3d/Crawlberry_Jam.png/revision/latest/scale-to-width-down/83?cb=20200616185337", + "effects": [ + "Restores 15% Hunger", + "Adds 5% Corruption", + "Player receives Physical Attack Up", + "Player receives Stamina Recovery (level 3)" + ], + "recipes": [ + { + "result": "Crawlberry Jam", + "result_count": "1x", + "ingredients": [ + "Crawlberry", + "Crawlberry", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Crawlberry Jam" + }, + { + "result": "Bagatelle", + "result_count": "3x", + "ingredients": [ + "Crawlberry Jam", + "Crawlberry Jam", + "Sugar", + "Fresh Cream" + ], + "station": "Cooking Pot", + "source_page": "Crawlberry Jam" + }, + { + "result": "Crawlberry Tartine", + "result_count": "3x", + "ingredients": [ + "Bread", + "Crawlberry Jam" + ], + "station": "Cooking Pot", + "source_page": "Crawlberry Jam" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Crawlberry Crawlberry Sugar", + "result": "1x Crawlberry Jam", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Crawlberry Jam", + "Crawlberry Crawlberry Sugar", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Crawlberry JamCrawlberry JamSugarFresh Cream", + "result": "3x Bagatelle", + "station": "Cooking Pot" + }, + { + "ingredients": "BreadCrawlberry Jam", + "result": "3x Crawlberry Tartine", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Bagatelle", + "Crawlberry JamCrawlberry JamSugarFresh Cream", + "Cooking Pot" + ], + [ + "3x Crawlberry Tartine", + "BreadCrawlberry Jam", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Pelletier Baker, Chef", + "3 - 5", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.6%", + "locations": "Harmattan", + "quantity": "2 - 9", + "source": "Stash" + }, + { + "chance": "5.6%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Stash", + "2 - 9", + "36.6%", + "Harmattan" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "5.6%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 2", + "5.6%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 2", + "5.6%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 2", + "5.6%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "5.6%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 2", + "5.6%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "5.6%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Crawlberry Jam is an Item in Outward." + }, + { + "name": "Crawlberry Tartine", + "url": "https://outward.fandom.com/wiki/Crawlberry_Tartine", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "DLC": "The Soroboreans", + "Effects": "Physical Attack Up+2.5% CorruptionStamina Recovery 3", + "Hunger": "12.5%", + "Object ID": "4000291", + "Perish Time": "19 Days, 20 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a2/Crawlberry_Tartine.png/revision/latest/scale-to-width-down/83?cb=20200616185338", + "effects": [ + "Restores 15% Hunger", + "Adds 2.5% Corruption", + "Player receives Physical Attack Up", + "Player receives Stamina Recovery (level 3)" + ], + "recipes": [ + { + "result": "Crawlberry Tartine", + "result_count": "3x", + "ingredients": [ + "Bread", + "Crawlberry Jam" + ], + "station": "Cooking Pot", + "source_page": "Crawlberry Tartine" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bread Crawlberry Jam", + "result": "3x Crawlberry Tartine", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Crawlberry Tartine", + "Bread Crawlberry Jam", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "21.3%", + "locations": "Harmattan", + "quantity": "3", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Pelletier Baker, Chef", + "3", + "21.3%", + "Harmattan" + ] + ] + } + ], + "description": "Crawlberry Tartine is an Item in Outward." + }, + { + "name": "Crescent Greataxe", + "url": "https://outward.fandom.com/wiki/Crescent_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "375", + "Class": "Axes", + "Damage": "27.75 9.25", + "Durability": "250", + "Effects": "Elemental Vulnerability", + "Impact": "33", + "Item Set": "Crescent Set", + "Object ID": "2110050", + "Sell": "112", + "Stamina Cost": "6.9", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/45/Crescent_Greataxe.png/revision/latest?cb=20190412202223", + "effects": [ + "Inflicts Elemental Vulnerability (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Crescent Greataxe", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Shark Cartilage", + "Palladium Scrap", + "Felling Greataxe" + ], + "station": "None", + "source_page": "Crescent Greataxe" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Crescent Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.9", + "damage": "27.75 9.25", + "description": "Two slashing strikes, left to right", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.49", + "damage": "36.08 12.03", + "description": "Uppercut strike into right sweep strike", + "impact": "42.9", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.49", + "damage": "36.08 12.03", + "description": "Left-spinning double strike", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.32", + "damage": "36.08 12.03", + "description": "Right-spinning double strike", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "27.75 9.25", + "33", + "6.9", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "36.08 12.03", + "42.9", + "9.49", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "36.08 12.03", + "42.9", + "9.49", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "36.08 12.03", + "42.9", + "9.32", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shark Cartilage Shark Cartilage Palladium Scrap Felling Greataxe", + "result": "1x Crescent Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Crescent Greataxe", + "Shark Cartilage Shark Cartilage Palladium Scrap Felling Greataxe", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Crescent Greataxe is an Axe type weapon in Outward." + }, + { + "name": "Crescent Scythe", + "url": "https://outward.fandom.com/wiki/Crescent_Scythe", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "375", + "Class": "Polearms", + "Damage": "23.25 7.75", + "Durability": "250", + "Effects": "Elemental Vulnerability", + "Impact": "41", + "Item Set": "Crescent Set", + "Object ID": "2140070", + "Sell": "112", + "Stamina Cost": "6.3", + "Type": "Halberd", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/14/Crescent_Scythe.png/revision/latest?cb=20190412212909", + "effects": [ + "Inflicts Elemental Vulnerability (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Crescent Scythe", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Shark Cartilage", + "Palladium Scrap", + "Pitchfork" + ], + "station": "None", + "source_page": "Crescent Scythe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.3", + "damage": "23.25 7.75", + "description": "Two wide-sweeping strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "30.23 10.08", + "description": "Forward-thrusting strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "30.23 10.08", + "description": "Wide-sweeping strike from left", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.03", + "damage": "39.53 13.18", + "description": "Slow but powerful sweeping strike", + "impact": "69.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "23.25 7.75", + "41", + "6.3", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "30.23 10.08", + "53.3", + "7.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "30.23 10.08", + "53.3", + "7.88", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "39.53 13.18", + "69.7", + "11.03", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shark Cartilage Shark Cartilage Palladium Scrap Pitchfork", + "result": "1x Crescent Scythe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Crescent Scythe", + "Shark Cartilage Shark Cartilage Palladium Scrap Pitchfork", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Crescent Scythe is a Polearm weapon in Outward." + }, + { + "name": "Crimson Dancer Clothes", + "url": "https://outward.fandom.com/wiki/Crimson_Dancer_Clothes", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "175", + "Damage Resist": "3%", + "Durability": "180", + "Hot Weather Def.": "14", + "Impact Resist": "4%", + "Item Set": "Dancer Set", + "Object ID": "3000182", + "Sell": "53", + "Slot": "Chest", + "Stamina Cost": "-25%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a7/Dancer_Clothes.png/revision/latest?cb=20190415111846", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Crimson Dancer Clothes" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Crimson Dancer Clothes" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Crimson Dancer Clothes" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Crimson Dancer Clothes" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Crimson Dancer Clothes" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Crimson Dancer Clothes" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Crimson Dancer Clothes" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Crimson Dancer Clothes" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Crimson Dancer Clothes" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "11.9%", + "Harmattan" + ] + ] + } + ], + "description": "Crimson Dancer Clothes is a type of Armor in Outward." + }, + { + "name": "Crimson Plate Armor", + "url": "https://outward.fandom.com/wiki/Crimson_Plate_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "1050", + "Cold Weather Def.": "14", + "Damage Bonus": "21%", + "Damage Resist": "23% 30%", + "Durability": "530", + "Hot Weather Def.": "-15", + "Impact Resist": "23%", + "Item Set": "Crimson Plate Set", + "Movement Speed": "-6%", + "Object ID": "3100090", + "Protection": "3", + "Sell": "349", + "Slot": "Chest", + "Stamina Cost": "6%", + "Weight": "20.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/05/Crimson_Plate_Armor.png/revision/latest?cb=20190415114157", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Crimson Plate Armor" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Crimson Plate Armor is a type of Armor in Outward." + }, + { + "name": "Crimson Plate Boots", + "url": "https://outward.fandom.com/wiki/Crimson_Plate_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "525", + "Cold Weather Def.": "7", + "Damage Bonus": "11%", + "Damage Resist": "18% 30%", + "Durability": "530", + "Impact Resist": "13%", + "Item Set": "Crimson Plate Set", + "Movement Speed": "-4%", + "Object ID": "3100092", + "Protection": "2", + "Sell": "174", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "14.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d7/Crimson_Plate_Boots.png/revision/latest?cb=20190415152458", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Crimson Plate Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Crimson Plate Boots is a type of Armor in Outward." + }, + { + "name": "Crimson Plate Mask", + "url": "https://outward.fandom.com/wiki/Crimson_Plate_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "525", + "Cold Weather Def.": "7", + "Damage Bonus": "11%", + "Damage Resist": "18% 30%", + "Durability": "530", + "Impact Resist": "13%", + "Item Set": "Crimson Plate Set", + "Mana Cost": "20%", + "Movement Speed": "-4%", + "Object ID": "3100091", + "Protection": "2", + "Sell": "158", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9c/Crimson_Plate_Mask.png/revision/latest?cb=20190407063023", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Crimson Plate Mask" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Crimson Plate Mask is a type of Armor in Outward." + }, + { + "name": "Crimson Plate Set", + "url": "https://outward.fandom.com/wiki/Crimson_Plate_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "2100", + "Cold Weather Def.": "28", + "Damage Bonus": "43%", + "Damage Resist": "59% 90%", + "Durability": "1590", + "Hot Weather Def.": "-15", + "Impact Resist": "49%", + "Mana Cost": "20%", + "Movement Speed": "-14%", + "Object ID": "3100090 (Chest)3100092 (Legs)3100091 (Head)", + "Protection": "7", + "Sell": "681", + "Slot": "Set", + "Stamina Cost": "14%", + "Weight": "44.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/82/CrimsonPlateSet.png/revision/latest/scale-to-width-down/214?cb=20190402192840", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Column 11", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "–", + "column_11": "-6%", + "column_4": "23%", + "column_5": "3", + "column_7": "-15", + "column_8": "14", + "column_9": "6%", + "damage_bonus%": "21%", + "durability": "530", + "name": "Crimson Plate Armor", + "resistances": "23% 30%", + "weight": "20.0" + }, + { + "class": "Boots", + "column_10": "–", + "column_11": "-4%", + "column_4": "13%", + "column_5": "2", + "column_7": "–", + "column_8": "7", + "column_9": "4%", + "damage_bonus%": "11%", + "durability": "530", + "name": "Crimson Plate Boots", + "resistances": "18% 30%", + "weight": "14.0" + }, + { + "class": "Helmets", + "column_10": "20%", + "column_11": "-4%", + "column_4": "13%", + "column_5": "2", + "column_7": "–", + "column_8": "7", + "column_9": "4%", + "damage_bonus%": "11%", + "durability": "530", + "name": "Crimson Plate Mask", + "resistances": "18% 30%", + "weight": "10.0" + } + ], + "raw_rows": [ + [ + "", + "Crimson Plate Armor", + "23% 30%", + "23%", + "3", + "21%", + "-15", + "14", + "6%", + "–", + "-6%", + "530", + "20.0", + "Body Armor" + ], + [ + "", + "Crimson Plate Boots", + "18% 30%", + "13%", + "2", + "11%", + "–", + "7", + "4%", + "–", + "-4%", + "530", + "14.0", + "Boots" + ], + [ + "", + "Crimson Plate Mask", + "18% 30%", + "13%", + "2", + "11%", + "–", + "7", + "4%", + "20%", + "-4%", + "530", + "10.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Speed", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Shield", + "column_4": "58", + "damage": "39", + "durability": "260", + "name": "Crimson Shield", + "resist": "19%", + "speed": "1.0", + "weight": "7.0" + } + ], + "raw_rows": [ + [ + "", + "Crimson Shield", + "39", + "58", + "19%", + "1.0", + "260", + "7.0", + "Shield" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Column 11", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "–", + "column_11": "-6%", + "column_4": "23%", + "column_5": "3", + "column_7": "-15", + "column_8": "14", + "column_9": "6%", + "damage_bonus%": "21%", + "durability": "530", + "name": "Crimson Plate Armor", + "resistances": "23% 30%", + "weight": "20.0" + }, + { + "class": "Boots", + "column_10": "–", + "column_11": "-4%", + "column_4": "13%", + "column_5": "2", + "column_7": "–", + "column_8": "7", + "column_9": "4%", + "damage_bonus%": "11%", + "durability": "530", + "name": "Crimson Plate Boots", + "resistances": "18% 30%", + "weight": "14.0" + }, + { + "class": "Helmets", + "column_10": "20%", + "column_11": "-4%", + "column_4": "13%", + "column_5": "2", + "column_7": "–", + "column_8": "7", + "column_9": "4%", + "damage_bonus%": "11%", + "durability": "530", + "name": "Crimson Plate Mask", + "resistances": "18% 30%", + "weight": "10.0" + } + ], + "raw_rows": [ + [ + "", + "Crimson Plate Armor", + "23% 30%", + "23%", + "3", + "21%", + "-15", + "14", + "6%", + "–", + "-6%", + "530", + "20.0", + "Body Armor" + ], + [ + "", + "Crimson Plate Boots", + "18% 30%", + "13%", + "2", + "11%", + "–", + "7", + "4%", + "–", + "-4%", + "530", + "14.0", + "Boots" + ], + [ + "", + "Crimson Plate Mask", + "18% 30%", + "13%", + "2", + "11%", + "–", + "7", + "4%", + "20%", + "-4%", + "530", + "10.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Speed", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Shield", + "column_4": "58", + "damage": "39", + "durability": "260", + "name": "Crimson Shield", + "resist": "19%", + "speed": "1.0", + "weight": "7.0" + } + ], + "raw_rows": [ + [ + "", + "Crimson Shield", + "39", + "58", + "19%", + "1.0", + "260", + "7.0", + "Shield" + ] + ] + } + ], + "description": "Crimson Plate Set is a Set in Outward. It can be rewarded from completing The Blue Chamber Collective faction quest line, and the shield is a drop from Rospa." + }, + { + "name": "Crimson Shield", + "url": "https://outward.fandom.com/wiki/Crimson_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Equipment" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Shields", + "Damage": "39", + "Durability": "260", + "Impact": "58", + "Impact Resist": "19%", + "Item Set": "Crimson Plate Set", + "Object ID": "2300130", + "Sell": "270", + "Type": "One-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/91/Crimson_Shield.png/revision/latest/scale-to-width-down/83?cb=20190411092101", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Crimson Shield" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Rospa Akiyuki" + } + ], + "raw_rows": [ + [ + "Rospa Akiyuki", + "1", + "100%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Crimson Shield is a unique shield in Outward." + }, + { + "name": "Crysocolla Beetle", + "url": "https://outward.fandom.com/wiki/Crysocolla_Beetle", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Three Brothers", + "Effects": "Slow Down", + "Hunger": "5%", + "Object ID": "4000450", + "Perish Time": "29 Days, 18 Hours", + "Sell": "5", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/09/Crysocolla_Beetle.png/revision/latest/scale-to-width-down/83?cb=20201220074820", + "effects": [ + "Restores 5% Hunger", + "Player receives Slow Down" + ], + "recipes": [ + { + "result": "Barrier Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Crysocolla Beetle" + }, + { + "result": "Greasy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Cooking Pot", + "source_page": "Crysocolla Beetle" + }, + { + "result": "Marathon Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Crysocolla Beetle" + }, + { + "result": "Shimmer Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Crysocolla Beetle" + }, + { + "result": "Sulphur Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Crysocolla Beetle" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterPeach SeedsCrysocolla Beetle", + "result": "1x Barrier Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCrysocolla Beetle", + "result": "1x Greasy Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterCrysocolla Beetle", + "result": "1x Marathon Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "result": "1x Shimmer Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSulphuric MushroomCrysocolla Beetle", + "result": "1x Sulphur Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Barrier Potion", + "WaterPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Greasy Tea", + "WaterCrysocolla Beetle", + "Cooking Pot" + ], + [ + "1x Marathon Potion", + "WaterCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Shimmer Potion", + "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Sulphur Potion", + "WaterSulphuric MushroomCrysocolla Beetle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "41.7%", + "quantity": "1", + "source": "Oil Node (Caldera)" + }, + { + "chance": "4.8%", + "quantity": "1", + "source": "Hexa Stone Vein" + } + ], + "raw_rows": [ + [ + "Oil Node (Caldera)", + "1", + "41.7%" + ], + [ + "Hexa Stone Vein", + "1", + "4.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "2 - 24", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2 - 24", + "43.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Gastrocin" + }, + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Quartz Gastrocin" + }, + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Volcanic Gastrocin" + } + ], + "raw_rows": [ + [ + "Gastrocin", + "1 - 4", + "41.4%" + ], + [ + "Quartz Gastrocin", + "1 - 4", + "41.4%" + ], + [ + "Volcanic Gastrocin", + "1 - 4", + "41.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.3%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "14.3%", + "locations": "Oil Refinery, The Eldest Brother", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "14.3%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "14.3%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.3%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "14.3%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "14.3%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "14.3%", + "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone" + ], + [ + "Corpse", + "1", + "14.3%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "14.3%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "14.3%", + "Oil Refinery, The Eldest Brother" + ], + [ + "Knight's Corpse", + "1", + "14.3%", + "Steam Bath Tunnels" + ], + [ + "Ornate Chest", + "1", + "14.3%", + "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony" + ], + [ + "Scavenger's Corpse", + "1", + "14.3%", + "Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "14.3%", + "Old Sirocco" + ] + ] + } + ], + "description": "Crysocolla Beetle is an Item in Outward." + }, + { + "name": "Crystal Powder", + "url": "https://outward.fandom.com/wiki/Crystal_Powder", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "47", + "Effects": "Burns 10 HealthRestores 20 Burnt StaminaRestores 50 Burnt ManaRestores 25% Mana", + "Object ID": "6600040", + "Perish Time": "∞", + "Sell": "14", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c0/Crystal_Powder.png/revision/latest/scale-to-width-down/83?cb=20200317124407", + "effects": [ + "Burns 10 Health", + "Restores 20 Burnt Stamina", + "Restores 50 Burnt Mana", + "Restores 25% Max Mana" + ], + "recipes": [ + { + "result": "Crystal Powder", + "result_count": "1x", + "ingredients": [ + "Mana Stone", + "Mana Stone", + "Mana Stone", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Crystal Powder" + }, + { + "result": "Arcane Dampener", + "result_count": "1x", + "ingredients": [ + "Dreamer's Root", + "Crystal Powder", + "Boozu's Hide" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Assassin Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Raw Jewel Meat", + "Firefly Powder", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Crystal Powder" + }, + { + "result": "Bone Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Occult Remains", + "Occult Remains", + "Crystal Powder" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Coralhorn Bow", + "result_count": "1x", + "ingredients": [ + "Coralhorn Antler", + "Coralhorn Antler", + "Recurve Bow", + "Crystal Powder" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Elemental Resistance Potion", + "result_count": "1x", + "ingredients": [ + "Smoke Root", + "Occult Remains", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Crystal Powder" + }, + { + "result": "Energizing Potion", + "result_count": "3x", + "ingredients": [ + "Leyline Water", + "Crystal Powder", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Crystal Powder" + }, + { + "result": "Galvanic Axe", + "result_count": "1x", + "ingredients": [ + "Iron Axe", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Galvanic Bow", + "result_count": "1x", + "ingredients": [ + "Simple Bow", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Galvanic Dagger", + "result_count": "1x", + "ingredients": [ + "Shiv Dagger", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Galvanic Greataxe", + "result_count": "1x", + "ingredients": [ + "Iron Greataxe", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Galvanic Greatmace", + "result_count": "1x", + "ingredients": [ + "Iron Greathammer", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Galvanic Halberd", + "result_count": "1x", + "ingredients": [ + "Iron Halberd", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Galvanic Mace", + "result_count": "1x", + "ingredients": [ + "Iron Mace", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Galvanic Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Galvanic Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Galvanic Spear", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Golem Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Occult Remains", + "Blue Sand", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Crystal Powder" + }, + { + "result": "Golem Rapier", + "result_count": "1x", + "ingredients": [ + "Broken Golem Rapier", + "Broken Golem Rapier", + "Palladium Scrap", + "Crystal Powder" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Obsidian Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Obsidian Shard", + "Palladium Scrap", + "Crystal Powder" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Rotwood Staff", + "result_count": "1x", + "ingredients": [ + "Compasswood Staff", + "Blue Sand", + "Crystal Powder" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Stoneflesh Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle", + "Insect Husk", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Crystal Powder" + }, + { + "result": "Survivor Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Crystal Powder", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Crystal Powder" + }, + { + "result": "Virgin Lantern", + "result_count": "1x", + "ingredients": [ + "Virgin Lantern", + "Crystal Powder" + ], + "station": "None", + "source_page": "Crystal Powder" + }, + { + "result": "Warrior Elixir", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Crystal Powder", + "Larva Egg", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Crystal Powder" + }, + { + "result": "Weather Defense Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Crystal Powder" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mana Stone Mana Stone Mana Stone Mana Stone", + "result": "1x Crystal Powder", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Crystal Powder", + "Mana Stone Mana Stone Mana Stone Mana Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's RootCrystal PowderBoozu's Hide", + "result": "1x Arcane Dampener", + "station": "None" + }, + { + "ingredients": "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "result": "1x Assassin Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Flintlock PistolOccult RemainsOccult RemainsCrystal Powder", + "result": "1x Bone Pistol", + "station": "None" + }, + { + "ingredients": "Coralhorn AntlerCoralhorn AntlerRecurve BowCrystal Powder", + "result": "1x Coralhorn Bow", + "station": "None" + }, + { + "ingredients": "Smoke RootOccult RemainsCrystal Powder", + "result": "1x Elemental Resistance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Leyline WaterCrystal PowderStingleaf", + "result": "3x Energizing Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Iron AxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Axe", + "station": "None" + }, + { + "ingredients": "Simple BowShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Bow", + "station": "None" + }, + { + "ingredients": "Shiv DaggerShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Dagger", + "station": "None" + }, + { + "ingredients": "Iron GreataxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Greataxe", + "station": "None" + }, + { + "ingredients": "Iron GreathammerShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Greatmace", + "station": "None" + }, + { + "ingredients": "Iron HalberdShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Halberd", + "station": "None" + }, + { + "ingredients": "Iron MaceShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Mace", + "station": "None" + }, + { + "ingredients": "Flintlock PistolShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Pistol", + "station": "None" + }, + { + "ingredients": "Round ShieldShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Shield", + "station": "None" + }, + { + "ingredients": "Iron SpearShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Spear", + "station": "None" + }, + { + "ingredients": "WaterOccult RemainsBlue SandCrystal Powder", + "result": "1x Golem Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Broken Golem RapierBroken Golem RapierPalladium ScrapCrystal Powder", + "result": "1x Golem Rapier", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Flintlock PistolObsidian ShardPalladium ScrapCrystal Powder", + "result": "1x Obsidian Pistol", + "station": "None" + }, + { + "ingredients": "Compasswood StaffBlue SandCrystal Powder", + "result": "1x Rotwood Staff", + "station": "None" + }, + { + "ingredients": "WaterGravel BeetleInsect HuskCrystal Powder", + "result": "1x Stoneflesh Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleCrystal PowderLivweedi", + "result": "1x Survivor Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Virgin LanternCrystal Powder", + "result": "1x Virgin Lantern", + "station": "None" + }, + { + "ingredients": "Krimp NutCrystal PowderLarva EggWater", + "result": "1x Warrior Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernCrystal Powder", + "result": "1x Weather Defense Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Arcane Dampener", + "Dreamer's RootCrystal PowderBoozu's Hide", + "None" + ], + [ + "1x Assassin Elixir", + "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Bone Pistol", + "Flintlock PistolOccult RemainsOccult RemainsCrystal Powder", + "None" + ], + [ + "1x Coralhorn Bow", + "Coralhorn AntlerCoralhorn AntlerRecurve BowCrystal Powder", + "None" + ], + [ + "1x Elemental Resistance Potion", + "Smoke RootOccult RemainsCrystal Powder", + "Alchemy Kit" + ], + [ + "3x Energizing Potion", + "Leyline WaterCrystal PowderStingleaf", + "Alchemy Kit" + ], + [ + "1x Galvanic Axe", + "Iron AxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Bow", + "Simple BowShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Dagger", + "Shiv DaggerShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Greataxe", + "Iron GreataxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Greatmace", + "Iron GreathammerShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Halberd", + "Iron HalberdShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Mace", + "Iron MaceShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Pistol", + "Flintlock PistolShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Shield", + "Round ShieldShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Spear", + "Iron SpearShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Golem Elixir", + "WaterOccult RemainsBlue SandCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Golem Rapier", + "Broken Golem RapierBroken Golem RapierPalladium ScrapCrystal Powder", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Obsidian Pistol", + "Flintlock PistolObsidian ShardPalladium ScrapCrystal Powder", + "None" + ], + [ + "1x Rotwood Staff", + "Compasswood StaffBlue SandCrystal Powder", + "None" + ], + [ + "1x Stoneflesh Elixir", + "WaterGravel BeetleInsect HuskCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Survivor Elixir", + "WaterOchre Spice BeetleCrystal PowderLivweedi", + "Alchemy Kit" + ], + [ + "1x Virgin Lantern", + "Virgin LanternCrystal Powder", + "None" + ], + [ + "1x Warrior Elixir", + "Krimp NutCrystal PowderLarva EggWater", + "Alchemy Kit" + ], + [ + "1x Weather Defense Potion", + "WaterGreasy FernCrystal Powder", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.3%", + "quantity": "1", + "source": "Ghost Plant" + }, + { + "chance": "4.8%", + "quantity": "1", + "source": "Chalcedony Vein" + } + ], + "raw_rows": [ + [ + "Ghost Plant", + "1", + "14.3%" + ], + [ + "Chalcedony Vein", + "1", + "4.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "17.5%", + "locations": "Harmattan", + "quantity": "1 - 6", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 6", + "17.5%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Guardian of the Compass" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Rusted Enforcer" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Sword Golem" + }, + { + "chance": "89.8%", + "quantity": "1 - 15", + "source": "She Who Speaks" + }, + { + "chance": "50%", + "quantity": "1 - 2", + "source": "Drifting Medyse" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Elder Medyse" + }, + { + "chance": "50%", + "quantity": "1 - 2", + "source": "Grandmother Medyse" + }, + { + "chance": "44.5%", + "quantity": "5", + "source": "Concealed Knight: ???" + }, + { + "chance": "35.3%", + "quantity": "1", + "source": "Quartz Gastrocin" + }, + { + "chance": "33.3%", + "quantity": "1 - 2", + "source": "Altered Gargoyle" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Beast Golem" + }, + { + "chance": "33.3%", + "quantity": "1 - 2", + "source": "Cracked Gargoyle" + }, + { + "chance": "33.3%", + "quantity": "1 - 2", + "source": "Gargoyle" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Ancient Dweller" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Breath of Darkness" + } + ], + "raw_rows": [ + [ + "Guardian of the Compass", + "1", + "100%" + ], + [ + "Rusted Enforcer", + "1", + "100%" + ], + [ + "Sword Golem", + "1", + "100%" + ], + [ + "She Who Speaks", + "1 - 15", + "89.8%" + ], + [ + "Drifting Medyse", + "1 - 2", + "50%" + ], + [ + "Elder Medyse", + "1", + "50%" + ], + [ + "Grandmother Medyse", + "1 - 2", + "50%" + ], + [ + "Concealed Knight: ???", + "5", + "44.5%" + ], + [ + "Quartz Gastrocin", + "1", + "35.3%" + ], + [ + "Altered Gargoyle", + "1 - 2", + "33.3%" + ], + [ + "Beast Golem", + "1", + "33.3%" + ], + [ + "Cracked Gargoyle", + "1 - 2", + "33.3%" + ], + [ + "Gargoyle", + "1 - 2", + "33.3%" + ], + [ + "Ancient Dweller", + "1", + "25%" + ], + [ + "Breath of Darkness", + "1", + "25%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.1%", + "locations": "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.1%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "11.1%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "11.1%", + "locations": "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "11.1%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Hallowed Marsh, Reptilian Lair", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "11.1%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "11.1%", + "locations": "Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "11.1%", + "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco" + ], + [ + "Calygrey Chest", + "1 - 2", + "11.1%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "11.1%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "11.1%", + "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone" + ], + [ + "Corpse", + "1 - 2", + "11.1%", + "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Antique Plateau, Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1 - 2", + "11.1%", + "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "11.1%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 2", + "11.1%", + "Voltaic Hatchery" + ] + ] + } + ], + "description": "Crystal Powder is a Food and crafting item in Outward." + }, + { + "name": "Crystal Staff", + "url": "https://outward.fandom.com/wiki/Crystal_Staff", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "Damage": "15 15", + "Durability": "125", + "Impact": "31", + "Item Set": "Troglodyte Set", + "Mana Cost": "-10%", + "Object ID": "2150041", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Staff", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/43/Crystal_Staff.png/revision/latest/scale-to-width-down/83?cb=20190629155307", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "15 15", + "description": "Two wide-sweeping strikes, left to right", + "impact": "31", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "19.5 19.5", + "description": "Forward-thrusting strike", + "impact": "40.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "19.5 19.5", + "description": "Wide-sweeping strike from left", + "impact": "40.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "25.5 25.5", + "description": "Slow but powerful sweeping strike", + "impact": "52.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "15 15", + "31", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "19.5 19.5", + "40.3", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "19.5 19.5", + "40.3", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "25.5 25.5", + "52.7", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Troglodyte Staff", + "upgrade": "Crystal Staff" + } + ], + "raw_rows": [ + [ + "Troglodyte Staff", + "Crystal Staff" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Crystal Staff is a type of Two-Handed Polearm weapon in Outward." + }, + { + "name": "Cured Pypherfish", + "url": "https://outward.fandom.com/wiki/Cured_Pypherfish", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "10", + "DLC": "The Three Brothers", + "Effects": "Restores 20 burnt ManaMana Ratio Recovery 3Protection (Effect) 2", + "Hunger": "20%", + "Object ID": "4100900", + "Perish Time": "9 Days, 22 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d4/Cured_Pypherfish.png/revision/latest/scale-to-width-down/83?cb=20201220074821", + "effects": [ + "Restores 20% Hunger", + "Restores 20 burnt Mana", + "Player receives Mana Ratio Recovery (level 3)", + "Player receives Protection (Effect) (level 2)" + ], + "effect_links": [ + "/wiki/Protection_(Effect)" + ], + "recipes": [ + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Cured Pypherfish" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Cured Pypherfish" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cured Pypherfish" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Cured Pypherfish" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Cured Pypherfish" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Cured Pypherfish" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Vegetable Pypherfish Peach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "Vegetable Pypherfish Peach Seeds", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Cured Pypherfish is an Item in Outward." + }, + { + "name": "Damascene Axe", + "url": "https://outward.fandom.com/wiki/Damascene_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "41", + "Durability": "350", + "Effects": "Increases the damage of weapon skills", + "Impact": "27", + "Item Set": "Damascene Set", + "Object ID": "2010200", + "Sell": "270", + "Stamina Cost": "5.4", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/28/Damascene_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220074824", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "41", + "description": "Two slashing strikes, right to left", + "impact": "27", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.48", + "damage": "53.3", + "description": "Fast, triple-attack strike", + "impact": "35.1", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.48", + "damage": "53.3", + "description": "Quick double strike", + "impact": "35.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.48", + "damage": "53.3", + "description": "Wide-sweeping double strike", + "impact": "35.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "41", + "27", + "5.4", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "53.3", + "35.1", + "6.48", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "53.3", + "35.1", + "6.48", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "53.3", + "35.1", + "6.48", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "6.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.2%", + "Old Sirocco" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Damascene Axe is a type of Weapon in Outward." + }, + { + "name": "Damascene Bow", + "url": "https://outward.fandom.com/wiki/Damascene_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "40", + "Durability": "400", + "Effects": "Increases the damage of weapon skills", + "Impact": "18", + "Item Set": "Damascene Set", + "Object ID": "2200130", + "Sell": "337", + "Stamina Cost": "3.105", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cb/Damascene_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220074825", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "6.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.2%", + "Old Sirocco" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Damascene Bow is a type of Weapon in Outward." + }, + { + "name": "Damascene Claymore", + "url": "https://outward.fandom.com/wiki/Damascene_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "48", + "Durability": "425", + "Effects": "Increases the damage of weapon skills", + "Impact": "42", + "Item Set": "Damascene Set", + "Object ID": "2100220", + "Sell": "338", + "Stamina Cost": "7.425", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1e/Damascene_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220074827", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.425", + "damage": "48", + "description": "Two slashing strikes, left to right", + "impact": "42", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.65", + "damage": "72", + "description": "Overhead downward-thrusting strike", + "impact": "63", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.17", + "damage": "60.72", + "description": "Spinning strike from the right", + "impact": "46.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.17", + "damage": "60.72", + "description": "Spinning strike from the left", + "impact": "46.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "48", + "42", + "7.425", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "72", + "63", + "9.65", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "60.72", + "46.2", + "8.17", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "60.72", + "46.2", + "8.17", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "12.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.2%", + "Old Sirocco" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Damascene Claymore is a type of Weapon in Outward." + }, + { + "name": "Damascene Greataxe", + "url": "https://outward.fandom.com/wiki/Damascene_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "48", + "Durability": "400", + "Effects": "Increases the damage of weapon skills", + "Impact": "42", + "Item Set": "Damascene Set", + "Object ID": "2110180", + "Sell": "338", + "Stamina Cost": "7.425", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/38/Damascene_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220074828", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.425", + "damage": "48", + "description": "Two slashing strikes, left to right", + "impact": "42", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.21", + "damage": "62.4", + "description": "Uppercut strike into right sweep strike", + "impact": "54.6", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.21", + "damage": "62.4", + "description": "Left-spinning double strike", + "impact": "54.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.02", + "damage": "62.4", + "description": "Right-spinning double strike", + "impact": "54.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "48", + "42", + "7.425", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "62.4", + "54.6", + "10.21", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "62.4", + "54.6", + "10.21", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "62.4", + "54.6", + "10.02", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "6.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.2%", + "Old Sirocco" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Damascene Greataxe is a type of Weapon in Outward." + }, + { + "name": "Damascene Halberd", + "url": "https://outward.fandom.com/wiki/Damascene_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "40", + "Durability": "400", + "Effects": "Increases the damage of weapon skills", + "Impact": "47", + "Item Set": "Damascene Set", + "Object ID": "2150060", + "Sell": "338", + "Stamina Cost": "6.75", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9f/Damascene_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220074829", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.75", + "damage": "40", + "description": "Two wide-sweeping strikes, left to right", + "impact": "47", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.44", + "damage": "52", + "description": "Forward-thrusting strike", + "impact": "61.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.44", + "damage": "52", + "description": "Wide-sweeping strike from left", + "impact": "61.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.81", + "damage": "68", + "description": "Slow but powerful sweeping strike", + "impact": "79.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "40", + "47", + "6.75", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "52", + "61.1", + "8.44", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "52", + "61.1", + "8.44", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "68", + "79.9", + "11.81", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "6.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.2%", + "Old Sirocco" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Damascene Halberd is a type of Weapon in Outward." + }, + { + "name": "Damascene Hammer", + "url": "https://outward.fandom.com/wiki/Damascene_Hammer", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "50", + "Durability": "450", + "Effects": "Increases the damage of weapon skills", + "Impact": "54", + "Item Set": "Damascene Set", + "Object ID": "2120200", + "Sell": "338", + "Stamina Cost": "7.425", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2a/Damascene_Hammer.png/revision/latest/scale-to-width-down/83?cb=20201220074830", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.425", + "damage": "50", + "description": "Two slashing strikes, left to right", + "impact": "54", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.91", + "damage": "37.5", + "description": "Blunt strike with high impact", + "impact": "108", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.91", + "damage": "70", + "description": "Powerful overhead strike", + "impact": "75.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.91", + "damage": "70", + "description": "Forward-running uppercut strike", + "impact": "75.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "50", + "54", + "7.425", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "37.5", + "108", + "8.91", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "70", + "75.6", + "8.91", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "70", + "75.6", + "8.91", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "6.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.2%", + "Old Sirocco" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Damascene Hammer is a type of Weapon in Outward." + }, + { + "name": "Damascene Knuckles", + "url": "https://outward.fandom.com/wiki/Damascene_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "33", + "Durability": "325", + "Effects": "Increases the damage of weapon skills", + "Impact": "17", + "Item Set": "Damascene Set", + "Object ID": "2160150", + "Sell": "270", + "Stamina Cost": "2.7", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a1/Damascene_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220074831", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.7", + "damage": "33", + "description": "Four fast punches, right to left", + "impact": "17", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.51", + "damage": "42.9", + "description": "Forward-lunging left hook", + "impact": "22.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.24", + "damage": "42.9", + "description": "Left dodging, left uppercut", + "impact": "22.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.24", + "damage": "42.9", + "description": "Right dodging, right spinning hammer strike", + "impact": "22.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "17", + "2.7", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "42.9", + "22.1", + "3.51", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "42.9", + "22.1", + "3.24", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "42.9", + "22.1", + "3.24", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "25%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "25%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.2%", + "Old Sirocco" + ] + ] + } + ], + "description": "Damascene Knuckles is a type of Weapon in Outward." + }, + { + "name": "Damascene Mace", + "url": "https://outward.fandom.com/wiki/Damascene_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "38", + "Durability": "425", + "Effects": "Increases the damage of weapon skills", + "Impact": "43", + "Item Set": "Damascene Set", + "Object ID": "2020240", + "Sell": "270", + "Stamina Cost": "5.4", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f3/Damascene_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220074833", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "38", + "description": "Two wide-sweeping strikes, right to left", + "impact": "43", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.02", + "damage": "49.4", + "description": "Slow, overhead strike with high impact", + "impact": "107.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.02", + "damage": "49.4", + "description": "Fast, forward-thrusting strike", + "impact": "55.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.02", + "damage": "49.4", + "description": "Fast, forward-thrusting strike", + "impact": "55.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "38", + "43", + "5.4", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "49.4", + "107.5", + "7.02", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "49.4", + "55.9", + "7.02", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.4", + "55.9", + "7.02", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "6.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.2%", + "Old Sirocco" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Damascene Mace is a type of Weapon in Outward." + }, + { + "name": "Damascene Spear", + "url": "https://outward.fandom.com/wiki/Damascene_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "42", + "Durability": "325", + "Effects": "Increases the damage of weapon skills", + "Impact": "29", + "Item Set": "Damascene Set", + "Object ID": "2130235", + "Sell": "338", + "Stamina Cost": "5.4", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/23/Damascene_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220074834", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "42", + "description": "Two forward-thrusting stabs", + "impact": "29", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.75", + "damage": "58.8", + "description": "Forward-lunging strike", + "impact": "34.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.75", + "damage": "54.6", + "description": "Left-sweeping strike, jump back", + "impact": "34.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.75", + "damage": "50.4", + "description": "Fast spinning strike from the right", + "impact": "31.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "42", + "29", + "5.4", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "58.8", + "34.8", + "6.75", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "54.6", + "34.8", + "6.75", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "50.4", + "31.9", + "6.75", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "6.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.2%", + "Old Sirocco" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Damascene Spear is a type of Weapon in Outward." + }, + { + "name": "Damascene Sword", + "url": "https://outward.fandom.com/wiki/Damascene_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "38", + "Durability": "300", + "Effects": "Increases the damage of weapon skills", + "Impact": "25", + "Item Set": "Damascene Set", + "Object ID": "2000230", + "Sell": "270", + "Stamina Cost": "4.725", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b7/Damascene_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220074835", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.725", + "damage": "38", + "description": "Two slash attacks, left to right", + "impact": "25", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.67", + "damage": "56.81", + "description": "Forward-thrusting strike", + "impact": "32.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.2", + "damage": "48.07", + "description": "Heavy left-lunging strike", + "impact": "27.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.2", + "damage": "48.07", + "description": "Heavy right-lunging strike", + "impact": "27.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "38", + "25", + "4.725", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "56.81", + "32.5", + "5.67", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "48.07", + "27.5", + "5.2", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "48.07", + "27.5", + "5.2", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "6.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.2%", + "Old Sirocco" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Damascene Sword is a type of Weapon in Outward." + }, + { + "name": "Dancer Leggings", + "url": "https://outward.fandom.com/wiki/Dancer_Leggings", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "20", + "Damage Resist": "1%", + "Durability": "150", + "Hot Weather Def.": "6", + "Impact Resist": "2%", + "Item Set": "Dancer Set", + "Object ID": "3000184", + "Sell": "6", + "Slot": "Legs", + "Stamina Cost": "-15%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/43/Dancer_Leggings.png/revision/latest?cb=20190415152649", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Dancer Leggings" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Dancer Leggings" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Dancer Leggings" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "48.8%", + "quantity": "1 - 4", + "source": "That Annoying Troglodyte" + } + ], + "raw_rows": [ + [ + "That Annoying Troglodyte", + "1 - 4", + "48.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Dancer Leggings is a type of Armor in Outward." + }, + { + "name": "Dancer Mask", + "url": "https://outward.fandom.com/wiki/Dancer_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "100", + "Damage Resist": "1%", + "Durability": "180", + "Hot Weather Def.": "6", + "Impact Resist": "3%", + "Item Set": "Dancer Set", + "Object ID": "3000183", + "Sell": "30", + "Slot": "Head", + "Stamina Cost": "-15%", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ee/Dancer_Mask.png/revision/latest?cb=20190407063129", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Dancer Mask" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Dancer Mask" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Dancer Mask" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Dancer Mask is a type of Armor in Outward." + }, + { + "name": "Dancer Set", + "url": "https://outward.fandom.com/wiki/Dancer_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "295", + "Damage Resist": "5%", + "Durability": "510", + "Hot Weather Def.": "26", + "Impact Resist": "9%", + "Object ID": "3000181 (Chest)3000184 (Legs)3000183 (Head)", + "Sell": "89", + "Slot": "Set", + "Stamina Cost": "-55%", + "Weight": "2.5" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-25%", + "durability": "180", + "name": "Black Dancer Clothes", + "resistances": "3%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-25%", + "durability": "180", + "name": "Crimson Dancer Clothes", + "resistances": "3%", + "weight": "1.0" + }, + { + "class": "Boots", + "column_4": "2%", + "column_5": "6", + "column_6": "-15%", + "durability": "150", + "name": "Dancer Leggings", + "resistances": "1%", + "weight": "1.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "6", + "column_6": "-15%", + "durability": "180", + "name": "Dancer Mask", + "resistances": "1%", + "weight": "0.5" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-25%", + "durability": "180", + "name": "Purple Dancer Clothes", + "resistances": "3%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Black Dancer Clothes", + "3%", + "4%", + "14", + "-25%", + "180", + "1.0", + "Body Armor" + ], + [ + "", + "Crimson Dancer Clothes", + "3%", + "4%", + "14", + "-25%", + "180", + "1.0", + "Body Armor" + ], + [ + "", + "Dancer Leggings", + "1%", + "2%", + "6", + "-15%", + "150", + "1.0", + "Boots" + ], + [ + "", + "Dancer Mask", + "1%", + "3%", + "6", + "-15%", + "180", + "0.5", + "Helmets" + ], + [ + "", + "Purple Dancer Clothes", + "3%", + "4%", + "14", + "-25%", + "180", + "1.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-25%", + "durability": "180", + "name": "Black Dancer Clothes", + "resistances": "3%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-25%", + "durability": "180", + "name": "Crimson Dancer Clothes", + "resistances": "3%", + "weight": "1.0" + }, + { + "class": "Boots", + "column_4": "2%", + "column_5": "6", + "column_6": "-15%", + "durability": "150", + "name": "Dancer Leggings", + "resistances": "1%", + "weight": "1.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "6", + "column_6": "-15%", + "durability": "180", + "name": "Dancer Mask", + "resistances": "1%", + "weight": "0.5" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-25%", + "durability": "180", + "name": "Purple Dancer Clothes", + "resistances": "3%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Black Dancer Clothes", + "3%", + "4%", + "14", + "-25%", + "180", + "1.0", + "Body Armor" + ], + [ + "", + "Crimson Dancer Clothes", + "3%", + "4%", + "14", + "-25%", + "180", + "1.0", + "Body Armor" + ], + [ + "", + "Dancer Leggings", + "1%", + "2%", + "6", + "-15%", + "150", + "1.0", + "Boots" + ], + [ + "", + "Dancer Mask", + "1%", + "3%", + "6", + "-15%", + "180", + "0.5", + "Helmets" + ], + [ + "", + "Purple Dancer Clothes", + "3%", + "4%", + "14", + "-25%", + "180", + "1.0", + "Body Armor" + ] + ] + } + ], + "description": "Dancer Set is a Set in Outward." + }, + { + "name": "Dark Green Garb", + "url": "https://outward.fandom.com/wiki/Dark_Green_Garb", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "3", + "Damage Resist": "3%", + "Durability": "90", + "Impact Resist": "2%", + "Object ID": "3000005", + "Sell": "3", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6b/Dark_Green_Garb.png/revision/latest?cb=20190415114251", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Dark Green Garb" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Dark Green Garb" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Dark Green Garb" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Dark Green Garb" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Dark Green Garb" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Dark Green Garb" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Dark Green Garb" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Dark Green Garb" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Dark Green Garb" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "7.3%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "7.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "2%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "2%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "2%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "2%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "2%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "2%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "2%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "2%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ] + ] + } + ], + "description": "Dark Green Garb is a type of Armor in Outward." + }, + { + "name": "Dark Nobleman Attire", + "url": "https://outward.fandom.com/wiki/Dark_Nobleman_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "87", + "Damage Resist": "3%", + "Durability": "165", + "Hot Weather Def.": "14", + "Impact Resist": "4%", + "Item Set": "Nobleman Set", + "Object ID": "3000111", + "Sell": "28", + "Slot": "Chest", + "Stamina Cost": "-10%", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/00/Dark_Nobleman_Attire.png/revision/latest?cb=20190415114404", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "2x", + "ingredients": [ + "Decraft: Cloth (Large)" + ], + "station": "Decrafting", + "source_page": "Dark Nobleman Attire" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Large)", + "result": "2x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Linen Cloth", + "Decraft: Cloth (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + }, + { + "chance": "14.2%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "14.2%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.2%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "6.2%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "6.2%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "6.2%", + "Forgotten Research Laboratory" + ], + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Dark Nobleman Attire is a type of Armor in Outward." + }, + { + "name": "Dark Nobleman Boots", + "url": "https://outward.fandom.com/wiki/Dark_Nobleman_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "50", + "Damage Resist": "2%", + "Durability": "165", + "Hot Weather Def.": "7", + "Impact Resist": "3%", + "Item Set": "Nobleman Set", + "Object ID": "3000117", + "Sell": "16", + "Slot": "Legs", + "Stamina Cost": "-5%", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b4/Dark_Nobleman_Boots.png/revision/latest?cb=20190415152841", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Dark Nobleman Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "48.8%", + "quantity": "1 - 4", + "source": "That Annoying Troglodyte" + } + ], + "raw_rows": [ + [ + "That Annoying Troglodyte", + "1 - 4", + "48.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.2%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "6.2%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "6.2%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "6.2%", + "Forgotten Research Laboratory" + ], + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Dark Nobleman Boots is a type of Armor in Outward." + }, + { + "name": "Dark Nobleman Hat", + "url": "https://outward.fandom.com/wiki/Dark_Nobleman_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "50", + "Damage Resist": "2%", + "Durability": "165", + "Hot Weather Def.": "7", + "Impact Resist": "3%", + "Item Set": "Nobleman Set", + "Object ID": "3000114", + "Sell": "17", + "Slot": "Head", + "Stamina Cost": "-5%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/19/Dark_Nobleman_Hat.png/revision/latest?cb=20190407194204", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Dark Nobleman Hat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.2%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "6.2%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "6.2%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "6.2%", + "Forgotten Research Laboratory" + ], + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Dark Nobleman Hat is a type of Armor in Outward." + }, + { + "name": "Dark Red Garb", + "url": "https://outward.fandom.com/wiki/Dark_Red_Garb", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "3", + "Damage Resist": "3%", + "Durability": "90", + "Impact Resist": "2%", + "Object ID": "3000007", + "Sell": "3", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ed/Dark_Red_Garb.png/revision/latest?cb=20190415114452", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Dark Red Garb" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Dark Red Garb" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Dark Red Garb" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Dark Red Garb" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Dark Red Garb" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Dark Red Garb" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Dark Red Garb" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Dark Red Garb" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Dark Red Garb" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "7.3%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "7.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "2%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "2%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "2%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "2%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "2%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "2%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "2%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "2%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ] + ] + } + ], + "description": "Dark Red Garb is a type of Armor in Outward." + }, + { + "name": "Dark Rich Attire", + "url": "https://outward.fandom.com/wiki/Dark_Rich_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "87", + "Damage Resist": "3%", + "Durability": "165", + "Hot Weather Def.": "14", + "Impact Resist": "4%", + "Item Set": "Rich Set", + "Object ID": "3000121", + "Sell": "28", + "Slot": "Chest", + "Stamina Cost": "-10%", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/88/Dark_Rich_Attire.png/revision/latest?cb=20190415114545", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "2x", + "ingredients": [ + "Decraft: Cloth (Large)" + ], + "station": "Decrafting", + "source_page": "Dark Rich Attire" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Large)", + "result": "2x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Linen Cloth", + "Decraft: Cloth (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + }, + { + "chance": "14.2%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "14.2%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.2%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "6.2%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "6.2%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "6.2%", + "Forgotten Research Laboratory" + ], + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Dark Rich Attire is a type of Armor in Outward." + }, + { + "name": "Dark Rich Hat", + "url": "https://outward.fandom.com/wiki/Dark_Rich_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "50", + "Damage Resist": "2%", + "Durability": "165", + "Hot Weather Def.": "7", + "Impact Resist": "3%", + "Item Set": "Rich Set", + "Object ID": "3000123", + "Sell": "17", + "Slot": "Head", + "Stamina Cost": "-5%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Dark_Rich_Hat.png/revision/latest?cb=20190407063941", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Dark Rich Hat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.2%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "6.2%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "6.2%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "6.2%", + "Forgotten Research Laboratory" + ], + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Dark Rich Hat is a type of Armor in Outward." + }, + { + "name": "Dark Stone", + "url": "https://outward.fandom.com/wiki/Dark_Stone", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "50", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6500031", + "Sell": "15", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/05/Dark_Stone.png/revision/latest/scale-to-width-down/83?cb=20200616185343", + "recipes": [ + { + "result": "Innocence Potion", + "result_count": "3x", + "ingredients": [ + "Thick Oil", + "Purifying Quartz", + "Dark Stone", + "Boozu's Milk" + ], + "station": "Alchemy Kit", + "source_page": "Dark Stone" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Thick OilPurifying QuartzDark StoneBoozu's Milk", + "result": "3x Innocence Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Innocence Potion", + "Thick OilPurifying QuartzDark StoneBoozu's Milk", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From / Skill / Other", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "43.8%", + "quantity": "1 - 2", + "source": "Bloody Beast" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Blood Sorcerer" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Bonded Beastmaster" + } + ], + "raw_rows": [ + [ + "Bloody Beast", + "1 - 2", + "43.8%" + ], + [ + "Blood Sorcerer", + "1", + "33.3%" + ], + [ + "Bonded Beastmaster", + "1", + "33.3%" + ] + ] + }, + { + "title": "Acquired From / Skill / Other", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36%", + "locations": "Forgotten Research Laboratory", + "quantity": "2 - 6", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Blood Mage Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.6%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5.6%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.6%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5.6%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "2 - 6", + "36%", + "Forgotten Research Laboratory" + ], + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "1", + "5.6%", + "Ark of the Exiled" + ], + [ + "Chest", + "1", + "5.6%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "1", + "5.6%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "1", + "5.6%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "5.6%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "5.6%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Dark Stone is an Item in Outward." + }, + { + "name": "Dark Varnish", + "url": "https://outward.fandom.com/wiki/Dark_Varnish", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "40", + "Effects": "Decay Imbue", + "Object ID": "4400070", + "Perish Time": "∞", + "Sell": "12", + "Type": "Imbues", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/57/Dark_Varnish.png/revision/latest/scale-to-width-down/83?cb=20190410225203", + "effects": [ + "Player receives Greater Decay Imbue", + "Increases damage by 20% as Decay damage", + "Grants +15 flat Decay damage." + ], + "effect_links": [ + "/wiki/Greater_Decay_Imbue" + ], + "recipes": [ + { + "result": "Dark Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Occult Remains", + "Mana Stone", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Dark Varnish" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "180 seconds", + "effects": "Increases damage by 20% as Decay damageGrants +15 flat Decay damage.", + "name": "Greater Decay Imbue" + } + ], + "raw_rows": [ + [ + "", + "Greater Decay Imbue", + "180 seconds", + "Increases damage by 20% as Decay damageGrants +15 flat Decay damage." + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberry Wine Occult Remains Mana Stone Grilled Crabeye Seed", + "result": "1x Dark Varnish", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Dark Varnish", + "Gaberry Wine Occult Remains Mana Stone Grilled Crabeye Seed", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "3 - 5", + "source": "Ogoi, Kazite Assassin" + }, + { + "chance": "44.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "34.4%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "27.1%", + "locations": "Cierzo", + "quantity": "1 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "27.1%", + "locations": "Berg", + "quantity": "1 - 4", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Ogoi, Kazite Assassin", + "3 - 5", + "100%", + "Berg" + ], + [ + "Pholiota/High Stock", + "3", + "44.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "34.4%", + "New Sirocco" + ], + [ + "Helmi the Alchemist", + "1 - 4", + "27.1%", + "Cierzo" + ], + [ + "Vay the Alchemist", + "1 - 4", + "27.1%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Troglodyte Archmage" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Blade Dancer" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Ghost (Red)" + } + ], + "raw_rows": [ + [ + "Troglodyte Archmage", + "1", + "100%" + ], + [ + "Blade Dancer", + "1", + "25%" + ], + [ + "Ghost (Red)", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.5%", + "locations": "Under Island", + "quantity": "2 - 8", + "source": "Trog Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "2 - 8", + "11.5%", + "Under Island" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1", + "6.2%", + "Ruined Warehouse" + ] + ] + } + ], + "description": "Dark Varnish is a Consumable item in Outward, which grants an Imbue." + }, + { + "name": "Dark Worker Attire", + "url": "https://outward.fandom.com/wiki/Dark_Worker_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "6", + "Damage Resist": "3%", + "Durability": "90", + "Impact Resist": "2%", + "Item Set": "Worker Set", + "Object ID": "3000080", + "Sell": "3", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e7/Dark_Worker_Attire.png/revision/latest?cb=20190415114635", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Dark Worker Attire" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Dark Worker Attire" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Dark Worker Attire" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Dark Worker Attire" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Dark Worker Attire" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Dark Worker Attire" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Dark Worker Attire" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Dark Worker Attire" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Dark Worker Attire" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.8%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "1.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "1.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "3%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "3%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "3%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "3%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "3%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "1.8%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "1.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "1.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "1.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Dark Worker Attire is a type of Armor in Outward." + }, + { + "name": "Dark Worker Hood", + "url": "https://outward.fandom.com/wiki/Dark_Worker_Hood", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "6", + "Cold Weather Def.": "3", + "Damage Resist": "1%", + "Durability": "90", + "Hot Weather Def.": "1", + "Impact Resist": "1%", + "Item Set": "Worker Set", + "Object ID": "3000085", + "Sell": "2", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/50/Dark_Worker_Hood.png/revision/latest?cb=20190407064125", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Dark Worker Hood" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Dark Worker Hood" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Dark Worker Hood" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5% Cooldown ReductionGain +5 Pouch Bonus", + "enchantment": "Unassuming Ingenuity" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unassuming Ingenuity", + "Gain +5% Cooldown ReductionGain +5 Pouch Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + } + ], + "raw_rows": [ + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "2.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "2.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "3%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "3%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "3%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "3%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "3%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "2.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "2.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "2.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Dark Worker Hood is a type of Armor in Outward." + }, + { + "name": "De-powered Bludgeon", + "url": "https://outward.fandom.com/wiki/De-powered_Bludgeon", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "1000", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "26", + "Durability": "200", + "Impact": "36", + "Object ID": "2120270", + "Sell": "300", + "Stamina Cost": "7.15", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3e/De-powered_Bludgeon.png/revision/latest/scale-to-width-down/83?cb=20201220074838", + "recipes": [ + { + "result": "Ghost Parallel", + "result_count": "1x", + "ingredients": [ + "De-powered Bludgeon", + "Ectoplasm", + "Digested Mana Stone" + ], + "station": "None", + "source_page": "De-powered Bludgeon" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.15", + "damage": "26", + "description": "Two slashing strikes, left to right", + "impact": "36", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "19.5", + "description": "Blunt strike with high impact", + "impact": "72", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "36.4", + "description": "Powerful overhead strike", + "impact": "50.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "36.4", + "description": "Forward-running uppercut strike", + "impact": "50.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26", + "36", + "7.15", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "19.5", + "72", + "8.58", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "36.4", + "50.4", + "8.58", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "36.4", + "50.4", + "8.58", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "De-powered BludgeonEctoplasmDigested Mana Stone", + "result": "1x Ghost Parallel", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ghost Parallel", + "De-powered BludgeonEctoplasmDigested Mana Stone", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "De-powered Bludgeon is a type of Weapon in Outward." + }, + { + "name": "Dead Roots Key", + "url": "https://outward.fandom.com/wiki/Dead_Roots_Key", + "categories": [ + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "5600026", + "Sell": "0", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Giant_Iron_Key.png/revision/latest/scale-to-width-down/83?cb=20190412211145", + "description": "Dead Roots Key is an item in Outward." + }, + { + "name": "Desert Boots", + "url": "https://outward.fandom.com/wiki/Desert_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "100", + "Damage Resist": "7%", + "Durability": "180", + "Hot Weather Def.": "10", + "Impact Resist": "5%", + "Item Set": "Desert Set", + "Movement Speed": "10%", + "Object ID": "3000205", + "Sell": "33", + "Slot": "Legs", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ef/Desert_Boots.png/revision/latest?cb=20190415152943", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Desert Boots" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Desert Boots" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Desert Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "25.3%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "11.8%", + "quantity": "1 - 3", + "source": "Bloody Alexis" + }, + { + "chance": "11.8%", + "quantity": "1 - 3", + "source": "Desert Lieutenant" + }, + { + "chance": "9.3%", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.3%", + "quantity": "1 - 2", + "source": "Desert Bandit" + }, + { + "chance": "9.1%", + "quantity": "1 - 2", + "source": "Desert Archer" + } + ], + "raw_rows": [ + [ + "Desert Captain", + "1 - 5", + "25.3%" + ], + [ + "Bloody Alexis", + "1 - 3", + "11.8%" + ], + [ + "Desert Lieutenant", + "1 - 3", + "11.8%" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "9.3%" + ], + [ + "Desert Bandit", + "1 - 2", + "9.3%" + ], + [ + "Desert Archer", + "1 - 2", + "9.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Levant" + ], + [ + "Junk Pile", + "1", + "5.6%", + "Abrassar, Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Desert Boots is a type of Armor in Outward." + }, + { + "name": "Desert Khopesh", + "url": "https://outward.fandom.com/wiki/Desert_Khopesh", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "40", + "Class": "Swords", + "Damage": "22", + "Durability": "225", + "Impact": "17", + "Object ID": "2000110", + "Sell": "13", + "Stamina Cost": "4.025", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/ce/Desert_Khopesh.png/revision/latest?cb=20190413071445", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Desert Khopesh" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.025", + "damage": "22", + "description": "Two slash attacks, left to right", + "impact": "17", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "4.83", + "damage": "32.89", + "description": "Forward-thrusting strike", + "impact": "22.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.43", + "damage": "27.83", + "description": "Heavy left-lunging strike", + "impact": "18.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.43", + "damage": "27.83", + "description": "Heavy right-lunging strike", + "impact": "18.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "22", + "17", + "4.025", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "32.89", + "22.1", + "4.83", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "27.83", + "18.7", + "4.43", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.83", + "18.7", + "4.43", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon inflicts Scorched, Chill, Curse, Doom, Haunted, all with 21% buildupWeapon gains +0.1 flat Attack Speed", + "enchantment": "Rainbow Hex" + }, + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Curse and Scorched (both 33% buildup)", + "enchantment": "War Memento" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rainbow Hex", + "Weapon inflicts Scorched, Chill, Curse, Doom, Haunted, all with 21% buildupWeapon gains +0.1 flat Attack Speed" + ], + [ + "War Memento", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Curse and Scorched (both 33% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Desert Bandit" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Mad Captain's Bones" + } + ], + "raw_rows": [ + [ + "Desert Bandit", + "1", + "100%" + ], + [ + "Mad Captain's Bones", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Stone Titan Caves", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, Electric Lab, The Slide, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Captain's Cabin, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Levant", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "100%", + "Levant" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Stone Titan Caves" + ], + [ + "Chest", + "1", + "5.9%", + "Abrassar, Electric Lab, The Slide, Undercity Passage" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Captain's Cabin, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Abrassar, The Slide, Undercity Passage" + ], + [ + "Stash", + "1", + "5.9%", + "Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Desert Khopesh is a one-handed sword in Outward." + }, + { + "name": "Desert Set", + "url": "https://outward.fandom.com/wiki/Desert_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "262", + "Damage Resist": "24%", + "Durability": "510", + "Hot Weather Def.": "40", + "Impact Resist": "17%", + "Movement Speed": "10%", + "Object ID": "3000205 (Legs)3000200 (Chest)3000203 (Head)", + "Sell": "85", + "Slot": "Set", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/24/Desert_set.png/revision/latest/scale-to-width-down/187?cb=20190410110202", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "5%", + "column_5": "10", + "column_6": "10%", + "durability": "180", + "name": "Desert Boots", + "resistances": "7%", + "weight": "2.0" + }, + { + "class": "Body Armor", + "column_4": "7%", + "column_5": "20", + "column_6": "–", + "durability": "165", + "name": "Desert Tunic", + "resistances": "11%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "5%", + "column_5": "10", + "column_6": "–", + "durability": "165", + "name": "Desert Veil", + "resistances": "6%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Desert Boots", + "7%", + "5%", + "10", + "10%", + "180", + "2.0", + "Boots" + ], + [ + "", + "Desert Tunic", + "11%", + "7%", + "20", + "–", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Desert Veil", + "6%", + "5%", + "10", + "–", + "165", + "2.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "5%", + "column_5": "10", + "column_6": "10%", + "durability": "180", + "name": "Desert Boots", + "resistances": "7%", + "weight": "2.0" + }, + { + "class": "Body Armor", + "column_4": "7%", + "column_5": "20", + "column_6": "–", + "durability": "165", + "name": "Desert Tunic", + "resistances": "11%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "5%", + "column_5": "10", + "column_6": "–", + "durability": "165", + "name": "Desert Veil", + "resistances": "6%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Desert Boots", + "7%", + "5%", + "10", + "10%", + "180", + "2.0", + "Boots" + ], + [ + "", + "Desert Tunic", + "11%", + "7%", + "20", + "–", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Desert Veil", + "6%", + "5%", + "10", + "–", + "165", + "2.0", + "Helmets" + ] + ] + } + ], + "description": "Desert Set is a Set in Outward." + }, + { + "name": "Desert Tunic", + "url": "https://outward.fandom.com/wiki/Desert_Tunic", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "112", + "Damage Resist": "11%", + "Durability": "165", + "Hot Weather Def.": "20", + "Impact Resist": "7%", + "Item Set": "Desert Set", + "Object ID": "3000200", + "Sell": "37", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/dc/Desert_Tunic.png/revision/latest?cb=20190415114735", + "recipes": [ + { + "result": "Chitin Desert Tunic", + "result_count": "1x", + "ingredients": [ + "Desert Tunic", + "Insect Husk" + ], + "station": "None", + "source_page": "Desert Tunic" + }, + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Desert Tunic" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Desert Tunic" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Desert Tunic" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Desert Tunic" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Desert Tunic" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Desert Tunic" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Desert Tunic" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Desert Tunic" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Desert Tunic" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Desert TunicInsect Husk", + "result": "1x Chitin Desert Tunic", + "station": "None" + }, + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chitin Desert Tunic", + "Desert TunicInsect Husk", + "None" + ], + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +25% Fire damage bonus", + "enchantment": "Spirit of Levant" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Levant", + "Gain +25% Fire damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "32.7%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "6.7%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + } + ], + "raw_rows": [ + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "32.7%", + "Harmattan" + ], + [ + "Shopkeeper Suul", + "1", + "6.7%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "13.3%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "9.5%", + "quantity": "1 - 3", + "source": "Bloody Alexis" + }, + { + "chance": "9.5%", + "quantity": "1 - 3", + "source": "Desert Lieutenant" + }, + { + "chance": "7.4%", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "7.4%", + "quantity": "1 - 2", + "source": "Desert Bandit" + }, + { + "chance": "7.3%", + "quantity": "1 - 2", + "source": "Desert Archer" + } + ], + "raw_rows": [ + [ + "Desert Captain", + "1 - 5", + "13.3%" + ], + [ + "Bloody Alexis", + "1 - 3", + "9.5%" + ], + [ + "Desert Lieutenant", + "1 - 3", + "9.5%" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "7.4%" + ], + [ + "Desert Bandit", + "1 - 2", + "7.4%" + ], + [ + "Desert Archer", + "1 - 2", + "7.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Levant" + ], + [ + "Junk Pile", + "1", + "5.6%", + "Abrassar, Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Desert Tunic is a type of Armor in Outward." + }, + { + "name": "Desert Veil", + "url": "https://outward.fandom.com/wiki/Desert_Veil", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "50", + "Damage Resist": "6%", + "Durability": "165", + "Hot Weather Def.": "10", + "Impact Resist": "5%", + "Item Set": "Desert Set", + "Object ID": "3000203", + "Sell": "15", + "Slot": "Head", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f4/Desert_Veil.png/revision/latest?cb=20190407193148", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Desert Veil" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Desert Veil" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Desert Veil" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "30%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "30%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "13.3%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "9.5%", + "quantity": "1 - 3", + "source": "Bloody Alexis" + }, + { + "chance": "9.5%", + "quantity": "1 - 3", + "source": "Desert Lieutenant" + }, + { + "chance": "7.4%", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "7.4%", + "quantity": "1 - 2", + "source": "Desert Bandit" + } + ], + "raw_rows": [ + [ + "Desert Captain", + "1 - 5", + "13.3%" + ], + [ + "Bloody Alexis", + "1 - 3", + "9.5%" + ], + [ + "Desert Lieutenant", + "1 - 3", + "9.5%" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "7.4%" + ], + [ + "Desert Bandit", + "1 - 2", + "7.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Levant" + ], + [ + "Junk Pile", + "1", + "5.6%", + "Abrassar, Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Desert Veil is a type of Armor in Outward." + }, + { + "name": "Diadème de Gibier", + "url": "https://outward.fandom.com/wiki/Diad%C3%A8me_de_Gibier", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Stamina Recovery 5Speed UpHot Weather Defense", + "Hunger": "27.5%", + "Object ID": "4100470", + "Perish Time": "19 Days 20 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8b/Diad%C3%A8me_de_Gibier.png/revision/latest/scale-to-width-down/83?cb=20190410133513", + "effects": [ + "Restores 27.5% Hunger", + "Player receives Speed Up", + "Player receives Hot Weather Defense", + "Player receives Stamina Recovery (level 5)" + ], + "recipes": [ + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Diadème de Gibier" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Diadème de Gibier" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Diadème de Gibier" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel Meat Meat Cactus Fruit Salt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Diadème de Gibier", + "Raw Jewel Meat Meat Cactus Fruit Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.3%", + "locations": "Ancient Hive, Crumbling Loading Docks, Sand Rose Cave", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.3%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "14.3%", + "locations": "Ancient Hive, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "14.3%", + "locations": "The Slide", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.3%", + "locations": "Stone Titan Caves, The Slide", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "14.3%", + "Ancient Hive, Crumbling Loading Docks, Sand Rose Cave" + ], + [ + "Chest", + "1", + "14.3%", + "Abrassar, Levant" + ], + [ + "Knight's Corpse", + "1", + "14.3%", + "Ancient Hive, Stone Titan Caves" + ], + [ + "Scavenger's Corpse", + "1", + "14.3%", + "The Slide" + ], + [ + "Worker's Corpse", + "1", + "14.3%", + "Stone Titan Caves, The Slide" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Diadème de Gibier (fr. Prey's Diadem) is a dish in Outward." + }, + { + "name": "Diamond Dust", + "url": "https://outward.fandom.com/wiki/Diamond_Dust", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6000350", + "Sell": "27", + "Type": "Ingredient", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/60/Diamond_Dust.png/revision/latest/scale-to-width-down/83?cb=20201220074839", + "recipes": [ + { + "result": "Gilded Shiver of Tramontane", + "result_count": "1x", + "ingredients": [ + "Scarred Dagger", + "Diamond Dust", + "Flash Moss" + ], + "station": "None", + "source_page": "Diamond Dust" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Scarred DaggerDiamond DustFlash Moss", + "result": "1x Gilded Shiver of Tramontane", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gilded Shiver of Tramontane", + "Scarred DaggerDiamond DustFlash Moss", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + } + ], + "raw_rows": [ + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ] + ] + }, + { + "title": "Acquired From / Unidentified Sample Sources", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + } + ], + "description": "Diamond Dust is an Item in Outward." + }, + { + "name": "Digested Mana Stone", + "url": "https://outward.fandom.com/wiki/Digested_Mana_Stone", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6000450", + "Sell": "27", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/24/Digested_Mana_Stone.png/revision/latest/scale-to-width-down/83?cb=20201220074841", + "recipes": [ + { + "result": "Ghost Parallel", + "result_count": "1x", + "ingredients": [ + "De-powered Bludgeon", + "Ectoplasm", + "Digested Mana Stone" + ], + "station": "None", + "source_page": "Digested Mana Stone" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "De-powered BludgeonEctoplasmDigested Mana Stone", + "result": "1x Ghost Parallel", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ghost Parallel", + "De-powered BludgeonEctoplasmDigested Mana Stone", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From / Unidentified Sample Sources", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + } + ], + "description": "Digested Mana Stone is an Item in Outward." + }, + { + "name": "Discipline Potion", + "url": "https://outward.fandom.com/wiki/Discipline_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "15", + "Effects": "Discipline Boon", + "Object ID": "4300060", + "Perish Time": "∞", + "Sell": "4", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/69/Discipline_Potion.png/revision/latest?cb=20190410154433", + "effects": [ + "Player receives Discipline", + "+15% Physical damage" + ], + "effect_links": [ + "/wiki/Discipline" + ], + "recipes": [ + { + "result": "Discipline Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Discipline Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "240 seconds", + "effects": "+15% Physical damage", + "name": "Discipline" + } + ], + "raw_rows": [ + [ + "", + "Discipline", + "240 seconds", + "+15% Physical damage" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Ochre Spice Beetle Livweedi", + "result": "3x Discipline Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Discipline Potion", + "Water Ochre Spice Beetle Livweedi", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "4 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 3", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Vay the Alchemist" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "37.9%", + "locations": "New Sirocco", + "quantity": "1 - 12", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "1 - 12", + "source": "Vay the Alchemist" + }, + { + "chance": "31.7%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "3", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "4 - 5", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "3", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "2 - 3", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "3", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "3", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "3", + "100%", + "Berg" + ], + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 12", + "37.9%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "1 - 12", + "33%", + "Berg" + ], + [ + "Laine the Alchemist", + "1 - 5", + "31.7%", + "Monsoon" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 20", + "16.3%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ], + [ + "Tuan the Alchemist", + "1 - 2", + "11.8%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Discipline Potion is a potion in Outward." + }, + { + "name": "Distorted Experiment", + "url": "https://outward.fandom.com/wiki/Distorted_Experiment", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Chakrams", + "DLC": "The Three Brothers", + "Damage": "7.2 7.2 7.2 7.2 7.2", + "Durability": "300", + "Effects": "-10% Status Resistance", + "Impact": "45", + "Object ID": "5110111", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c6/Distorted_Experiment.png/revision/latest/scale-to-width-down/83?cb=20201220074843", + "effects": [ + "-10% Status Resistance", + "Provides a faint light source" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + } + ], + "description": "Distorted Experiment is a Unique type of Weapon in Outward." + }, + { + "name": "Djinn's Lamp", + "url": "https://outward.fandom.com/wiki/Djinn%27s_Lamp", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Equipment", + "Lanterns" + ], + "infobox": { + "Buy": "25", + "Class": "Lanterns", + "DLC": "The Three Brothers", + "Durability": "200", + "Effects": "+15 Status Resistance", + "Object ID": "5100110", + "Sell": "8", + "Type": "Throwable", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Djinn%27s_Lamp.png/revision/latest/scale-to-width-down/83?cb=20201220074845", + "effects": [ + "Grants +15 Status Resistance" + ], + "description": "Djinn's Lamp is an Item in Outward." + }, + { + "name": "Dragon Shield", + "url": "https://outward.fandom.com/wiki/Dragon_Shield", + "categories": [ + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "100", + "Class": "Shields", + "Damage": "13.8 9.2", + "Durability": "175", + "Effects": "Burning", + "Impact": "43", + "Impact Resist": "15%", + "Object ID": "2300120", + "Sell": "30", + "Type": "One-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/eb/Dragon_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407070424", + "effects": [ + "Inflicts Burning (60% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.6%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Dragon Shield is a shield in Outward." + }, + { + "name": "Dreamer Halberd", + "url": "https://outward.fandom.com/wiki/Dreamer_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2500", + "Class": "Polearms", + "Damage": "22.5 22.5", + "Durability": "525", + "Impact": "48", + "Object ID": "2140120", + "Sell": "750", + "Stamina Cost": "6", + "Type": "Halberd", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d7/Dreamer_Halberd.png/revision/latest?cb=20190412213006", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6", + "damage": "22.5 22.5", + "description": "Two wide-sweeping strikes, left to right", + "impact": "48", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.5", + "damage": "29.25 29.25", + "description": "Forward-thrusting strike", + "impact": "62.4", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.5", + "damage": "29.25 29.25", + "description": "Wide-sweeping strike from left", + "impact": "62.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.5", + "damage": "38.25 38.25", + "description": "Slow but powerful sweeping strike", + "impact": "81.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "22.5 22.5", + "48", + "6", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "29.25 29.25", + "62.4", + "7.5", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "29.25 29.25", + "62.4", + "7.5", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "38.25 38.25", + "81.6", + "10.5", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Dreamer Halberd is a unique Polearm in Outward." + }, + { + "name": "Dreamer's Root", + "url": "https://outward.fandom.com/wiki/Dreamer%27s_Root", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "3", + "DLC": "The Soroboreans", + "Effects": "Adds 15% FatigueMana Ratio Recovery 1", + "Object ID": "4000360", + "Perish Time": "9 Days, 22 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/56/Dreamer%27s_Root.png/revision/latest/scale-to-width-down/83?cb=20200616185345", + "effects": [ + "Adds 15% Fatigue", + "Player receives Mana Ratio Recovery (level 1)", + "Removes Leywilt" + ], + "recipes": [ + { + "result": "Admiral Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Light" + ], + "station": "Alchemy Kit", + "source_page": "Dreamer's Root" + }, + { + "result": "Arcane Dampener", + "result_count": "1x", + "ingredients": [ + "Dreamer's Root", + "Crystal Powder", + "Boozu's Hide" + ], + "station": "None", + "source_page": "Dreamer's Root" + }, + { + "result": "Boiled Dreamer's Root", + "result_count": "1x", + "ingredients": [ + "Dreamer's Root" + ], + "station": "Campfire", + "source_page": "Dreamer's Root" + }, + { + "result": "Cecropia Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Decay" + ], + "station": "Alchemy Kit", + "source_page": "Dreamer's Root" + }, + { + "result": "Chrysalis Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Ice" + ], + "station": "Alchemy Kit", + "source_page": "Dreamer's Root" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Dreamer's Root" + }, + { + "result": "Invigorating Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Sugar", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Dreamer's Root" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Dreamer's Root" + }, + { + "result": "Monarch Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Fire" + ], + "station": "Alchemy Kit", + "source_page": "Dreamer's Root" + }, + { + "result": "Pale Beauty Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Ether" + ], + "station": "Alchemy Kit", + "source_page": "Dreamer's Root" + }, + { + "result": "Quartz Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Boozu's Hide", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Dreamer's Root" + }, + { + "result": "Sanctifier Potion", + "result_count": "3x", + "ingredients": [ + "Leyline Water", + "Purifying Quartz", + "Dreamer's Root", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Dreamer's Root" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Dreamer's Root" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's RootDreamer's RootElemental Particle – Light", + "result": "4x Admiral Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Dreamer's RootCrystal PowderBoozu's Hide", + "result": "1x Arcane Dampener", + "station": "None" + }, + { + "ingredients": "Dreamer's Root", + "result": "1x Boiled Dreamer's Root", + "station": "Campfire" + }, + { + "ingredients": "Dreamer's RootDreamer's RootElemental Particle – Decay", + "result": "4x Cecropia Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Dreamer's RootDreamer's RootElemental Particle – Ice", + "result": "4x Chrysalis Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSugarDreamer's Root", + "result": "3x Invigorating Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "Dreamer's RootDreamer's RootElemental Particle – Fire", + "result": "4x Monarch Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Dreamer's RootDreamer's RootElemental Particle – Ether", + "result": "4x Pale Beauty Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterBoozu's HideDreamer's Root", + "result": "3x Quartz Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Leyline WaterPurifying QuartzDreamer's RootOccult Remains", + "result": "3x Sanctifier Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "4x Admiral Incense", + "Dreamer's RootDreamer's RootElemental Particle – Light", + "Alchemy Kit" + ], + [ + "1x Arcane Dampener", + "Dreamer's RootCrystal PowderBoozu's Hide", + "None" + ], + [ + "1x Boiled Dreamer's Root", + "Dreamer's Root", + "Campfire" + ], + [ + "4x Cecropia Incense", + "Dreamer's RootDreamer's RootElemental Particle – Decay", + "Alchemy Kit" + ], + [ + "4x Chrysalis Incense", + "Dreamer's RootDreamer's RootElemental Particle – Ice", + "Alchemy Kit" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Invigorating Potion", + "WaterSugarDreamer's Root", + "Alchemy Kit" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "4x Monarch Incense", + "Dreamer's RootDreamer's RootElemental Particle – Fire", + "Alchemy Kit" + ], + [ + "4x Pale Beauty Incense", + "Dreamer's RootDreamer's RootElemental Particle – Ether", + "Alchemy Kit" + ], + [ + "3x Quartz Potion", + "WaterBoozu's HideDreamer's Root", + "Alchemy Kit" + ], + [ + "3x Sanctifier Potion", + "Leyline WaterPurifying QuartzDreamer's RootOccult Remains", + "Alchemy Kit" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Dreamer's Root (Gatherable)" + } + ], + "raw_rows": [ + [ + "Dreamer's Root (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36%", + "locations": "Forgotten Research Laboratory", + "quantity": "3 - 8", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Blood Mage Hideout", + "quantity": "2 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled", + "quantity": "2 - 3", + "source": "Calygrey Chest" + }, + { + "chance": "5.6%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "2 - 3", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Destroyed Test Chambers", + "quantity": "2 - 3", + "source": "Corpse" + }, + { + "chance": "5.6%", + "locations": "Antique Plateau", + "quantity": "2 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "5.6%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "2 - 3", + "source": "Junk Pile" + }, + { + "chance": "5.6%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "2 - 3", + "source": "Ornate Chest" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "2 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "3 - 8", + "36%", + "Forgotten Research Laboratory" + ], + [ + "Adventurer's Corpse", + "2 - 3", + "5.6%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "2 - 3", + "5.6%", + "Ark of the Exiled" + ], + [ + "Chest", + "2 - 3", + "5.6%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "2 - 3", + "5.6%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "2 - 3", + "5.6%", + "Antique Plateau" + ], + [ + "Junk Pile", + "2 - 3", + "5.6%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "2 - 3", + "5.6%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "2 - 3", + "5.6%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Dreamer's Root is an Item in Outward." + }, + { + "name": "Dry Mushroom Bar", + "url": "https://outward.fandom.com/wiki/Dry_Mushroom_Bar", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Restores 5 Burnt Health", + "Hunger": "10%", + "Object ID": "4100250", + "Perish Time": "104 Days 4 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/14/Dry_Mushroom_Bar.png/revision/latest/scale-to-width-down/83?cb=20190410132433", + "effects": [ + "Restores 10% Hunger", + "Restores 5 Burnt Health" + ], + "recipes": [ + { + "result": "Dry Mushroom Bar", + "result_count": "5x", + "ingredients": [ + "Common Mushroom", + "Common Mushroom", + "Common Mushroom", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Dry Mushroom Bar" + }, + { + "result": "Fungal Cleanser", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Mushroom", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Dry Mushroom Bar" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Dry Mushroom Bar" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Dry Mushroom Bar" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Common Mushroom Common Mushroom Common Mushroom Common Mushroom", + "result": "5x Dry Mushroom Bar", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "5x Dry Mushroom Bar", + "Common Mushroom Common Mushroom Common Mushroom Common Mushroom", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WoolshroomMushroomOchre Spice Beetle", + "result": "3x Fungal Cleanser", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Fungal Cleanser", + "WoolshroomMushroomOchre Spice Beetle", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 8", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "6", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 4", + "source": "Pholiota/Low Stock" + }, + { + "chance": "35.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "28.4%", + "locations": "Berg", + "quantity": "1 - 12", + "source": "Shopkeeper Pleel" + }, + { + "chance": "23.2%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 9", + "source": "Pholiota/Low Stock" + }, + { + "chance": "11.4%", + "locations": "Giants' Village", + "quantity": "1 - 4", + "source": "Gold Belly" + }, + { + "chance": "11.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 4", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "Pelletier Baker, Chef", + "3 - 8", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "6", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "2 - 4", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Felix Jimson, Shopkeeper", + "2 - 20", + "35.3%", + "Harmattan" + ], + [ + "Shopkeeper Pleel", + "1 - 12", + "28.4%", + "Berg" + ], + [ + "Pholiota/Low Stock", + "2 - 9", + "23.2%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Gold Belly", + "1 - 4", + "11.4%", + "Giants' Village" + ], + [ + "Silver-Nose the Trader", + "1 - 4", + "11.4%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "23.3%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "18.2%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Bandit" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Bandit Slave" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Baron Montgomery" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Crock" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Dawne" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Rospa Akiyuki" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "The Crusher" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "The Last Acolyte" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Vendavel Bandit" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Yzan Argenson" + } + ], + "raw_rows": [ + [ + "Marsh Archer", + "1 - 4", + "23.3%" + ], + [ + "Bandit Defender", + "1 - 3", + "19.1%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "19.1%" + ], + [ + "Roland Argenson", + "1 - 3", + "19.1%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "18.2%" + ], + [ + "Bandit", + "1 - 2", + "17.8%" + ], + [ + "Bandit Slave", + "1 - 2", + "17.8%" + ], + [ + "Baron Montgomery", + "1 - 2", + "17.8%" + ], + [ + "Crock", + "1 - 2", + "17.8%" + ], + [ + "Dawne", + "1 - 2", + "17.8%" + ], + [ + "Rospa Akiyuki", + "1 - 2", + "17.8%" + ], + [ + "The Crusher", + "1 - 2", + "17.8%" + ], + [ + "The Last Acolyte", + "1 - 2", + "17.8%" + ], + [ + "Vendavel Bandit", + "1 - 2", + "17.8%" + ], + [ + "Yzan Argenson", + "1 - 2", + "17.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 6", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "1 - 6", + "source": "Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach", + "quantity": "1 - 6", + "source": "Hollowed Trunk" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage", + "quantity": "1 - 6", + "source": "Junk Pile" + }, + { + "chance": "8.6%", + "locations": "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco", + "quantity": "1 - 6", + "source": "Knight's Corpse" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 6", + "source": "Looter's Corpse" + }, + { + "chance": "8.6%", + "locations": "Blue Chamber's Conflux Path, Forest Hives", + "quantity": "1 - 6", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 6", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 6", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 6", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 6", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 6", + "8.6%", + "Abrassar, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 6", + "8.6%", + "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach" + ], + [ + "Junk Pile", + "1 - 6", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage" + ], + [ + "Knight's Corpse", + "1 - 6", + "8.6%", + "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco" + ], + [ + "Looter's Corpse", + "1 - 6", + "8.6%", + "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1 - 6", + "8.6%", + "Blue Chamber's Conflux Path, Forest Hives" + ] + ] + } + ], + "description": "Dry Mushroom Bar is a type of food found in Outward." + }, + { + "name": "Dusk Backpack", + "url": "https://outward.fandom.com/wiki/Dusk_Backpack", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "300", + "Capacity": "80", + "Class": "Backpacks", + "DLC": "The Three Brothers", + "Durability": "∞", + "Effects": "+5 Barrier", + "Inventory Protection": "2", + "Object ID": "5380004", + "Sell": "90", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/49/Dusk_Backpack.png/revision/latest/scale-to-width-down/83?cb=20201220074847", + "effects": [ + "+5 Barrier" + ], + "effect_links": [ + "/wiki/Barrier" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "50%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 2", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 2", + "50%", + "Silkworm's Refuge" + ] + ] + } + ], + "description": "Dusk Backpack is a type of Equipment in Outward." + }, + { + "name": "Duty", + "url": "https://outward.fandom.com/wiki/Duty", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "40 5 5", + "Durability": "777", + "Effects": "BurningHoly Blaze-10% Stamina recovery rate", + "Impact": "44", + "Object ID": "2150175", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Halberd", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ad/Duty.png/revision/latest/scale-to-width-down/83?cb=20201220074849", + "effects": [ + "Inflicts Burning (40% buildup)", + "Inflicts Holy Blaze (18% buildup)", + "-10% Stamina recovery rate" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Description", + "headers": [ + "“", + "The lance of a hero, whose mortality was proved in the Caldera. Inflicts both Burning and Holy Blaze, but reduces your Stamina Recovery.", + "„" + ], + "rows": [ + { + "the_lance_of_a_hero,_whose_mortality_was_proved_in_the_caldera._inflicts_both_burning_and_holy_blaze,_but_reduces_your_stamina_recovery.": "~ The banner reads as ROYAUMEDEAURAI or Royaume de Aurai (Kingdom of Aurai in French)" + } + ], + "raw_rows": [ + [ + "", + "~ The banner reads as ROYAUMEDEAURAI or Royaume de Aurai (Kingdom of Aurai in French)", + "" + ] + ] + }, + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "40 5 5", + "description": "Two wide-sweeping strikes, left to right", + "impact": "44", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "52 6.5 6.5", + "description": "Forward-thrusting strike", + "impact": "57.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "52 6.5 6.5", + "description": "Wide-sweeping strike from left", + "impact": "57.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "68 8.5 8.5", + "description": "Slow but powerful sweeping strike", + "impact": "74.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "40 5 5", + "44", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "52 6.5 6.5", + "57.2", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "52 6.5 6.5", + "57.2", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "68 8.5 8.5", + "74.8", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Duty is a Unique type of Weapon in Outward." + }, + { + "name": "Dweller's Brain", + "url": "https://outward.fandom.com/wiki/Dweller%27s_Brain", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "360", + "DLC": "The Three Brothers", + "Object ID": "6000310", + "Sell": "108", + "Type": "Ingredient", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c8/Dweller%27s_Brain.png/revision/latest/scale-to-width-down/83?cb=20201220074850", + "recipes": [ + { + "result": "Slayer's Helmet", + "result_count": "1x", + "ingredients": [ + "Dweller's Brain", + "Myrm Tongue", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Dweller's Brain" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dweller's BrainMyrm TonguePalladium Scrap", + "result": "1x Slayer's Helmet", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Slayer's Helmet", + "Dweller's BrainMyrm TonguePalladium Scrap", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Ancient Dweller" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Breath of Darkness" + }, + { + "chance": "100%", + "quantity": "1", + "source": "She Who Speaks" + } + ], + "raw_rows": [ + [ + "Ancient Dweller", + "1", + "100%" + ], + [ + "Breath of Darkness", + "1", + "100%" + ], + [ + "She Who Speaks", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Dweller's Brain is an Item in Outward." + }, + { + "name": "Ectoplasm", + "url": "https://outward.fandom.com/wiki/Ectoplasm", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6000430", + "Sell": "27", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/36/Ectoplasm.png/revision/latest/scale-to-width-down/83?cb=20201220074851", + "recipes": [ + { + "result": "Ghost Parallel", + "result_count": "1x", + "ingredients": [ + "De-powered Bludgeon", + "Ectoplasm", + "Digested Mana Stone" + ], + "station": "None", + "source_page": "Ectoplasm" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "De-powered BludgeonEctoplasmDigested Mana Stone", + "result": "1x Ghost Parallel", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ghost Parallel", + "De-powered BludgeonEctoplasmDigested Mana Stone", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ] + ] + }, + { + "title": "Acquired From / Unidentified Sample Sources", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + } + ], + "description": "Ectoplasm is an Item in Outward." + }, + { + "name": "Elatt's Relic", + "url": "https://outward.fandom.com/wiki/Elatt%27s_Relic", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Object ID": "6600222", + "Sell": "60", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/49/Elatt%E2%80%99s_Relic.png/revision/latest/scale-to-width-down/83?cb=20190629155230", + "recipes": [ + { + "result": "Caged Armor Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Calixa's Relic", + "Flowering Corruption" + ], + "station": "None", + "source_page": "Elatt's Relic" + }, + { + "result": "Kelvin's Greataxe", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Scourge's Tears", + "Leyline Figment" + ], + "station": "None", + "source_page": "Elatt's Relic" + }, + { + "result": "Krypteia Armor", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Leyline Figment", + "Vendavel's Hospitality", + "Noble's Greed" + ], + "station": "None", + "source_page": "Elatt's Relic" + }, + { + "result": "Mace of Seasons", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Elatt's Relic", + "Leyline Figment" + ], + "station": "None", + "source_page": "Elatt's Relic" + }, + { + "result": "Maelstrom Blade", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Elatt's Relic", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Elatt's Relic" + }, + { + "result": "Pain in the Axe", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Scourge's Tears", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Elatt's Relic" + }, + { + "result": "Pilgrim Boots", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Haunted Memory", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Elatt's Relic" + }, + { + "result": "Pilgrim Helmet", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Elatt's Relic", + "Haunted Memory" + ], + "station": "None", + "source_page": "Elatt's Relic" + }, + { + "result": "Squire Attire", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Elatt's Relic", + "Calixa's Relic", + "Haunted Memory" + ], + "station": "None", + "source_page": "Elatt's Relic" + }, + { + "result": "Squire Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Haunted Memory", + "Leyline Figment" + ], + "station": "None", + "source_page": "Elatt's Relic" + }, + { + "result": "Squire Headband", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Scourge's Tears", + "Haunted Memory" + ], + "station": "None", + "source_page": "Elatt's Relic" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's GenerosityElatt's RelicCalixa's RelicFlowering Corruption", + "result": "1x Caged Armor Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicScourge's TearsLeyline Figment", + "result": "1x Kelvin's Greataxe", + "station": "None" + }, + { + "ingredients": "Elatt's RelicLeyline FigmentVendavel's HospitalityNoble's Greed", + "result": "1x Krypteia Armor", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageElatt's RelicLeyline Figment", + "result": "1x Mace of Seasons", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageElatt's RelicCalixa's RelicVendavel's Hospitality", + "result": "1x Maelstrom Blade", + "station": "None" + }, + { + "ingredients": "Elatt's RelicScourge's TearsCalixa's RelicVendavel's Hospitality", + "result": "1x Pain in the Axe", + "station": "None" + }, + { + "ingredients": "Elatt's RelicHaunted MemoryCalixa's RelicVendavel's Hospitality", + "result": "1x Pilgrim Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageElatt's RelicHaunted Memory", + "result": "1x Pilgrim Helmet", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageElatt's RelicCalixa's RelicHaunted Memory", + "result": "1x Squire Attire", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicHaunted MemoryLeyline Figment", + "result": "1x Squire Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicScourge's TearsHaunted Memory", + "result": "1x Squire Headband", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Caged Armor Boots", + "Gep's GenerosityElatt's RelicCalixa's RelicFlowering Corruption", + "None" + ], + [ + "1x Kelvin's Greataxe", + "Gep's GenerosityElatt's RelicScourge's TearsLeyline Figment", + "None" + ], + [ + "1x Krypteia Armor", + "Elatt's RelicLeyline FigmentVendavel's HospitalityNoble's Greed", + "None" + ], + [ + "1x Mace of Seasons", + "Gep's GenerosityPearlbird's CourageElatt's RelicLeyline Figment", + "None" + ], + [ + "1x Maelstrom Blade", + "Pearlbird's CourageElatt's RelicCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Pain in the Axe", + "Elatt's RelicScourge's TearsCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Pilgrim Boots", + "Elatt's RelicHaunted MemoryCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Pilgrim Helmet", + "Gep's GenerosityPearlbird's CourageElatt's RelicHaunted Memory", + "None" + ], + [ + "1x Squire Attire", + "Pearlbird's CourageElatt's RelicCalixa's RelicHaunted Memory", + "None" + ], + [ + "1x Squire Boots", + "Gep's GenerosityElatt's RelicHaunted MemoryLeyline Figment", + "None" + ], + [ + "1x Squire Headband", + "Gep's GenerosityElatt's RelicScourge's TearsHaunted Memory", + "None" + ] + ] + } + ], + "description": "Elatt's Relic is an item in Outward." + }, + { + "name": "Elemental Immunity Potion", + "url": "https://outward.fandom.com/wiki/Elemental_Immunity_Potion", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "60", + "Effects": "Elemental Immunity", + "Object ID": "4300150", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/98/Elemental_Immunity_Potion.png/revision/latest?cb=20190410225238", + "effects": [ + "Player receives Elemental Immunity", + "Immune to Frost, Fire, Lightning, Decay and Ethereal Damage" + ], + "recipes": [ + { + "result": "Elemental Immunity Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Azure Shrimp", + "Firefly Powder", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Immunity Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "15 seconds", + "effects": "Immune to Frost, Fire, Lightning, Decay and Ethereal Damage", + "name": "Elemental Immunity" + } + ], + "raw_rows": [ + [ + "", + "Elemental Immunity", + "15 seconds", + "Immune to Frost, Fire, Lightning, Decay and Ethereal Damage" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Thick Oil Azure Shrimp Firefly Powder Occult Remains", + "result": "1x Elemental Immunity Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Elemental Immunity Potion", + "Thick Oil Azure Shrimp Firefly Powder Occult Remains", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Robyn Garnet, Alchemist", + "1 - 4", + "16.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Chromatic Arcane Elemental" + } + ], + "raw_rows": [ + [ + "Chromatic Arcane Elemental", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1 - 2", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1 - 2", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1 - 2", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Elemental Immunity Potion is a potion in Outward." + }, + { + "name": "Elemental Particle – Decay", + "url": "https://outward.fandom.com/wiki/Elemental_Particle_%E2%80%93_Decay", + "categories": [ + "DLC: The Soroboreans", + "Particle", + "Items" + ], + "infobox": { + "Buy": "180", + "Class": "Particle", + "DLC": "The Soroboreans", + "Object ID": "6000140", + "Sell": "54", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/36/Elemental_Particle_%E2%80%93_Decay.png/revision/latest/scale-to-width-down/83?cb=20200616185349", + "recipes": [ + { + "result": "Cecropia Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Decay" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Decay" + }, + { + "result": "Comet Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Decay", + "Cecropia Incense" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Decay" + }, + { + "result": "Purity Potion", + "result_count": "3x", + "ingredients": [ + "Sanctifier Potion", + "Elemental Particle" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Decay" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's RootDreamer's RootElemental Particle – Decay", + "result": "4x Cecropia Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – DecayCecropia Incense", + "result": "4x Comet Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Sanctifier PotionElemental Particle", + "result": "3x Purity Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Cecropia Incense", + "Dreamer's RootDreamer's RootElemental Particle – Decay", + "Alchemy Kit" + ], + [ + "4x Comet Incense", + "Purifying QuartzTourmalineElemental Particle – DecayCecropia Incense", + "Alchemy Kit" + ], + [ + "3x Purity Potion", + "Sanctifier PotionElemental Particle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Arcane Elemental (Decay)" + }, + { + "chance": "42.9%", + "quantity": "1", + "source": "Arcane Elemental (Decay)" + }, + { + "chance": "36%", + "quantity": "1 - 2", + "source": "Chromatic Arcane Elemental" + } + ], + "raw_rows": [ + [ + "Arcane Elemental (Decay)", + "1 - 2", + "100%" + ], + [ + "Arcane Elemental (Decay)", + "1", + "42.9%" + ], + [ + "Chromatic Arcane Elemental", + "1 - 2", + "36%" + ] + ] + } + ], + "description": "Elemental Particle – Decay is an Item in Outward." + }, + { + "name": "Elemental Particle – Ether", + "url": "https://outward.fandom.com/wiki/Elemental_Particle_%E2%80%93_Ether", + "categories": [ + "DLC: The Soroboreans", + "Particle", + "Items" + ], + "infobox": { + "Buy": "180", + "Class": "Particle", + "DLC": "The Soroboreans", + "Object ID": "6000150", + "Sell": "54", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8e/Elemental_Particle_%E2%80%93_Ether.png/revision/latest/scale-to-width-down/83?cb=20200616185351", + "recipes": [ + { + "result": "Pale Beauty Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Ether" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Ether" + }, + { + "result": "Purity Potion", + "result_count": "3x", + "ingredients": [ + "Sanctifier Potion", + "Elemental Particle" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Ether" + }, + { + "result": "Sylphina Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Ether", + "Pale Beauty Incense" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Ether" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's RootDreamer's RootElemental Particle – Ether", + "result": "4x Pale Beauty Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Sanctifier PotionElemental Particle", + "result": "3x Purity Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – EtherPale Beauty Incense", + "result": "4x Sylphina Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Pale Beauty Incense", + "Dreamer's RootDreamer's RootElemental Particle – Ether", + "Alchemy Kit" + ], + [ + "3x Purity Potion", + "Sanctifier PotionElemental Particle", + "Alchemy Kit" + ], + [ + "4x Sylphina Incense", + "Purifying QuartzTourmalineElemental Particle – EtherPale Beauty Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Ancestral General" + }, + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Arcane Elemental (Ethereal)" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Grandmother Medyse" + }, + { + "chance": "42.9%", + "quantity": "1", + "source": "Arcane Elemental (Ethereal)" + }, + { + "chance": "36%", + "quantity": "1 - 2", + "source": "Chromatic Arcane Elemental" + } + ], + "raw_rows": [ + [ + "Ancestral General", + "1", + "100%" + ], + [ + "Arcane Elemental (Ethereal)", + "1 - 2", + "100%" + ], + [ + "Grandmother Medyse", + "1", + "100%" + ], + [ + "Arcane Elemental (Ethereal)", + "1", + "42.9%" + ], + [ + "Chromatic Arcane Elemental", + "1 - 2", + "36%" + ] + ] + } + ], + "description": "Elemental Particle – Ether is an Item in Outward." + }, + { + "name": "Elemental Particle – Fire", + "url": "https://outward.fandom.com/wiki/Elemental_Particle_%E2%80%93_Fire", + "categories": [ + "DLC: The Soroboreans", + "Particle", + "Items" + ], + "infobox": { + "Buy": "180", + "Class": "Particle", + "DLC": "The Soroboreans", + "Object ID": "6000110", + "Sell": "54", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ee/Elemental_Particle_%E2%80%93_Fire.png/revision/latest/scale-to-width-down/83?cb=20200616185354", + "recipes": [ + { + "result": "Apollo Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Fire", + "Monarch Incense" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Fire" + }, + { + "result": "Monarch Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Fire" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Fire" + }, + { + "result": "Purity Potion", + "result_count": "3x", + "ingredients": [ + "Sanctifier Potion", + "Elemental Particle" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Fire" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – FireMonarch Incense", + "result": "4x Apollo Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Dreamer's RootDreamer's RootElemental Particle – Fire", + "result": "4x Monarch Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Sanctifier PotionElemental Particle", + "result": "3x Purity Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Apollo Incense", + "Purifying QuartzTourmalineElemental Particle – FireMonarch Incense", + "Alchemy Kit" + ], + [ + "4x Monarch Incense", + "Dreamer's RootDreamer's RootElemental Particle – Fire", + "Alchemy Kit" + ], + [ + "3x Purity Potion", + "Sanctifier PotionElemental Particle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Volcanic Gastrocin" + }, + { + "chance": "42.9%", + "quantity": "1", + "source": "Arcane Elemental (Fire)" + }, + { + "chance": "36%", + "quantity": "1 - 2", + "source": "Chromatic Arcane Elemental" + } + ], + "raw_rows": [ + [ + "Volcanic Gastrocin", + "1", + "100%" + ], + [ + "Arcane Elemental (Fire)", + "1", + "42.9%" + ], + [ + "Chromatic Arcane Elemental", + "1 - 2", + "36%" + ] + ] + } + ], + "description": "Elemental Particle – Fire is an Item in Outward." + }, + { + "name": "Elemental Particle – Ice", + "url": "https://outward.fandom.com/wiki/Elemental_Particle_%E2%80%93_Ice", + "categories": [ + "DLC: The Soroboreans", + "Particle", + "Items" + ], + "infobox": { + "Buy": "180", + "Class": "Particle", + "DLC": "The Soroboreans", + "Object ID": "6000120", + "Sell": "54", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/af/Elemental_Particle_%E2%80%93_Ice.png/revision/latest/scale-to-width-down/83?cb=20200616185355", + "recipes": [ + { + "result": "Chrysalis Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Ice" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Ice" + }, + { + "result": "Morpho Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Ice", + "Chrysalis Incense" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Ice" + }, + { + "result": "Purity Potion", + "result_count": "3x", + "ingredients": [ + "Sanctifier Potion", + "Elemental Particle" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Ice" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's RootDreamer's RootElemental Particle – Ice", + "result": "4x Chrysalis Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – IceChrysalis Incense", + "result": "4x Morpho Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Sanctifier PotionElemental Particle", + "result": "3x Purity Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Chrysalis Incense", + "Dreamer's RootDreamer's RootElemental Particle – Ice", + "Alchemy Kit" + ], + [ + "4x Morpho Incense", + "Purifying QuartzTourmalineElemental Particle – IceChrysalis Incense", + "Alchemy Kit" + ], + [ + "3x Purity Potion", + "Sanctifier PotionElemental Particle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Arcane Elemental (Frost)" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Liquid-Cooled Golem" + }, + { + "chance": "42.9%", + "quantity": "1", + "source": "Arcane Elemental (Frost)" + }, + { + "chance": "36%", + "quantity": "1 - 2", + "source": "Chromatic Arcane Elemental" + } + ], + "raw_rows": [ + [ + "Arcane Elemental (Frost)", + "1 - 2", + "100%" + ], + [ + "Liquid-Cooled Golem", + "1", + "100%" + ], + [ + "Arcane Elemental (Frost)", + "1", + "42.9%" + ], + [ + "Chromatic Arcane Elemental", + "1 - 2", + "36%" + ] + ] + } + ], + "description": "Elemental Particle – Ice is an Item in Outward." + }, + { + "name": "Elemental Particle – Light", + "url": "https://outward.fandom.com/wiki/Elemental_Particle_%E2%80%93_Light", + "categories": [ + "DLC: The Soroboreans", + "Particle", + "Items" + ], + "infobox": { + "Buy": "180", + "Class": "Particle", + "DLC": "The Soroboreans", + "Object ID": "6000130", + "Sell": "54", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f9/Elemental_Particle_%E2%80%93_Light.png/revision/latest/scale-to-width-down/83?cb=20200616185356", + "recipes": [ + { + "result": "Admiral Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Light" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Light" + }, + { + "result": "Luna Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Light", + "Admiral Incense" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Light" + }, + { + "result": "Purity Potion", + "result_count": "3x", + "ingredients": [ + "Sanctifier Potion", + "Elemental Particle" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Particle – Light" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's RootDreamer's RootElemental Particle – Light", + "result": "4x Admiral Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – LightAdmiral Incense", + "result": "4x Luna Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Sanctifier PotionElemental Particle", + "result": "3x Purity Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Admiral Incense", + "Dreamer's RootDreamer's RootElemental Particle – Light", + "Alchemy Kit" + ], + [ + "4x Luna Incense", + "Purifying QuartzTourmalineElemental Particle – LightAdmiral Incense", + "Alchemy Kit" + ], + [ + "3x Purity Potion", + "Sanctifier PotionElemental Particle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Arcane Elemental (Lightning)" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Golden Matriarch" + }, + { + "chance": "42.9%", + "quantity": "1", + "source": "Arcane Elemental (Lightning)" + }, + { + "chance": "36%", + "quantity": "1 - 2", + "source": "Chromatic Arcane Elemental" + } + ], + "raw_rows": [ + [ + "Arcane Elemental (Lightning)", + "1 - 2", + "100%" + ], + [ + "Golden Matriarch", + "1", + "100%" + ], + [ + "Arcane Elemental (Lightning)", + "1", + "42.9%" + ], + [ + "Chromatic Arcane Elemental", + "1 - 2", + "36%" + ] + ] + } + ], + "description": "Elemental Particle – Light is an Item in Outward." + }, + { + "name": "Elemental Resistance Potion", + "url": "https://outward.fandom.com/wiki/Elemental_Resistance_Potion", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "40", + "Effects": "Elemental Resistance", + "Object ID": "4300140", + "Perish Time": "∞", + "Sell": "12", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/ba/Elemental_Resistance_Potion.png/revision/latest?cb=20190410154525", + "effects": [ + "Player receives Elemental Resistance", + "+20% resistance to Ethereal, Decay, Lightning, Frost and Fire" + ], + "recipes": [ + { + "result": "Elemental Resistance Potion", + "result_count": "1x", + "ingredients": [ + "Smoke Root", + "Occult Remains", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Elemental Resistance Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "240 seconds", + "effects": "+20% resistance to Ethereal, Decay, Lightning, Frost and Fire", + "name": "Elemental Resistance" + } + ], + "raw_rows": [ + [ + "", + "Elemental Resistance", + "240 seconds", + "+20% resistance to Ethereal, Decay, Lightning, Frost and Fire" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Smoke Root Occult Remains Crystal Powder", + "result": "1x Elemental Resistance Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Elemental Resistance Potion", + "Smoke Root Occult Remains Crystal Powder", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3", + "source": "Laine the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Laine the Alchemist", + "3", + "100%", + "Monsoon" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "16.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Elemental Resistance Potion is a Potion Item in Outward." + }, + { + "name": "Elite Desert Set", + "url": "https://outward.fandom.com/wiki/Elite_Desert_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "800", + "Damage Resist": "33%", + "Durability": "580", + "Hot Weather Def.": "24", + "Impact Resist": "23%", + "Mana Cost": "5%", + "Object ID": "3000202 (Chest)3000204 (Head)", + "Protection": "3", + "Sell": "258", + "Slot": "Set", + "Stamina Cost": "-20%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a9/Elite_Desert_set.png/revision/latest/scale-to-width-down/195?cb=20190423174805", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "14%", + "column_5": "2", + "column_6": "16", + "column_7": "-10%", + "column_8": "–", + "durability": "290", + "name": "Elite Desert Tunic", + "resistances": "20%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "1", + "column_6": "8", + "column_7": "-10%", + "column_8": "5%", + "durability": "290", + "name": "Elite Desert Veil", + "resistances": "13%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Elite Desert Tunic", + "20%", + "14%", + "2", + "16", + "-10%", + "–", + "290", + "8.0", + "Body Armor" + ], + [ + "", + "Elite Desert Veil", + "13%", + "9%", + "1", + "8", + "-10%", + "5%", + "290", + "2.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "14%", + "column_5": "2", + "column_6": "16", + "column_7": "-10%", + "column_8": "–", + "durability": "290", + "name": "Elite Desert Tunic", + "resistances": "20%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "1", + "column_6": "8", + "column_7": "-10%", + "column_8": "5%", + "durability": "290", + "name": "Elite Desert Veil", + "resistances": "13%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Elite Desert Tunic", + "20%", + "14%", + "2", + "16", + "-10%", + "–", + "290", + "8.0", + "Body Armor" + ], + [ + "", + "Elite Desert Veil", + "13%", + "9%", + "1", + "8", + "-10%", + "5%", + "290", + "2.0", + "Helmets" + ] + ] + } + ], + "description": "Elite Desert Set is a Set in Outward." + }, + { + "name": "Elite Desert Tunic", + "url": "https://outward.fandom.com/wiki/Elite_Desert_Tunic", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "550", + "Damage Resist": "20%", + "Durability": "290", + "Hot Weather Def.": "16", + "Impact Resist": "14%", + "Item Set": "Elite Desert Set", + "Object ID": "3000202", + "Protection": "2", + "Sell": "183", + "Slot": "Chest", + "Stamina Cost": "-10%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5e/Elite_Desert_Tunic.png/revision/latest?cb=20190415114829", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +25% Fire damage bonus", + "enchantment": "Spirit of Levant" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Levant", + "Gain +25% Fire damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "New Sirocco" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "8.2%", + "quantity": "1 - 5", + "source": "Desert Captain" + } + ], + "raw_rows": [ + [ + "Desert Captain", + "1 - 5", + "8.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.6%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Elite Desert Tunic is a type of Armor in Outward." + }, + { + "name": "Elite Desert Veil", + "url": "https://outward.fandom.com/wiki/Elite_Desert_Veil", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "250", + "Damage Resist": "13%", + "Durability": "290", + "Hot Weather Def.": "8", + "Impact Resist": "9%", + "Item Set": "Elite Desert Set", + "Mana Cost": "5%", + "Object ID": "3000204", + "Protection": "1", + "Sell": "75", + "Slot": "Head", + "Stamina Cost": "-10%", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a0/Elite_Desert_Veil.png/revision/latest?cb=20190407194218", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "8.2%", + "quantity": "1 - 5", + "source": "Desert Captain" + } + ], + "raw_rows": [ + [ + "Desert Captain", + "1 - 5", + "8.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.6%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Elite Desert Veil is a type of Armor in Outward." + }, + { + "name": "Elite Hood", + "url": "https://outward.fandom.com/wiki/Elite_Hood", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Damage Resist": "13% 30%", + "Durability": "290", + "Hot Weather Def.": "8", + "Impact Resist": "9%", + "Item Set": "Elite Set", + "Object ID": "3000037", + "Protection": "1", + "Sell": "100", + "Slot": "Head", + "Stamina Cost": "-10%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/80/Elite_Hood.png/revision/latest?cb=20190414220509", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Elite Hood is a type of Armor in Outward." + }, + { + "name": "Elite Plate Armor", + "url": "https://outward.fandom.com/wiki/Elite_Plate_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "700", + "Damage Resist": "26%", + "Durability": "430", + "Hot Weather Def.": "-10", + "Impact Resist": "20%", + "Item Set": "Elite Set", + "Movement Speed": "-6%", + "Object ID": "3100000", + "Pouch Bonus": "4", + "Protection": "3", + "Sell": "233", + "Slot": "Chest", + "Stamina Cost": "6%", + "Weight": "20.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ec/Elite_Plate_Armor.png/revision/latest?cb=20190415114913", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Elite Plate Armor" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus", + "enchantment": "Warmaster" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Warmaster", + "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1 - 4", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.3%", + "locations": "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.3%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Chest", + "1", + "5.3%", + "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon" + ], + [ + "Hollowed Trunk", + "1", + "5.3%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.3%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Elite Plate Armor is a type of Armor in Outward." + }, + { + "name": "Elite Plate Boots", + "url": "https://outward.fandom.com/wiki/Elite_Plate_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "350", + "Damage Resist": "18%", + "Durability": "430", + "Impact Resist": "12%", + "Item Set": "Elite Set", + "Movement Speed": "-4%", + "Object ID": "3100002", + "Protection": "2", + "Sell": "116", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "14.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d0/Elite_Plate_Boots.png/revision/latest?cb=20190415153025", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Elite Plate Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus", + "enchantment": "Warmaster" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Warmaster", + "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.3%", + "locations": "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.3%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Chest", + "1", + "5.3%", + "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon" + ], + [ + "Hollowed Trunk", + "1", + "5.3%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.3%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Elite Plate Boots is a type of Armor in Outward." + }, + { + "name": "Elite Plate Helm", + "url": "https://outward.fandom.com/wiki/Elite_Plate_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "350", + "Damage Resist": "18%", + "Durability": "430", + "Impact Resist": "12%", + "Item Set": "Elite Set", + "Mana Cost": "50%", + "Movement Speed": "-4%", + "Object ID": "3100001", + "Protection": "2", + "Sell": "105", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2d/Elite_Plate_Helm.png/revision/latest?cb=20190407064149", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Elite Plate Helm" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus", + "enchantment": "Warmaster" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Warmaster", + "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1 - 4", + "10.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.3%", + "locations": "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.3%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Chest", + "1", + "5.3%", + "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon" + ], + [ + "Hollowed Trunk", + "1", + "5.3%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.3%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Elite Plate Helm is a type of Armor in Outward." + }, + { + "name": "Elite Set", + "url": "https://outward.fandom.com/wiki/Elite_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1400", + "Damage Resist": "62%", + "Durability": "1290", + "Hot Weather Def.": "-10", + "Impact Resist": "44%", + "Mana Cost": "50%", + "Movement Speed": "-14%", + "Object ID": "3100000 (Chest)3100002 (Legs)3100001 (Head)", + "Pouch Bonus": "4", + "Protection": "7", + "Sell": "454", + "Slot": "Set", + "Stamina Cost": "14%", + "Weight": "44.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3d/Elite_plate_armor_set.png/revision/latest/scale-to-width-down/241?cb=20190402234318", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Helmets", + "column_4": "9%", + "column_5": "1", + "column_6": "8", + "column_7": "-10%", + "column_8": "–", + "column_9": "–", + "durability": "290", + "name": "Elite Hood", + "pouch_bonus": "–", + "resistances": "13% 30%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "20%", + "column_5": "3", + "column_6": "-10", + "column_7": "6%", + "column_8": "–", + "column_9": "-6%", + "durability": "430", + "name": "Elite Plate Armor", + "pouch_bonus": "4", + "resistances": "26%", + "weight": "20.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "–", + "column_9": "-4%", + "durability": "430", + "name": "Elite Plate Boots", + "pouch_bonus": "–", + "resistances": "18%", + "weight": "14.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "50%", + "column_9": "-4%", + "durability": "430", + "name": "Elite Plate Helm", + "pouch_bonus": "–", + "resistances": "18%", + "weight": "10.0" + } + ], + "raw_rows": [ + [ + "", + "Elite Hood", + "13% 30%", + "9%", + "1", + "8", + "-10%", + "–", + "–", + "–", + "290", + "3.0", + "Helmets" + ], + [ + "", + "Elite Plate Armor", + "26%", + "20%", + "3", + "-10", + "6%", + "–", + "-6%", + "4", + "430", + "20.0", + "Body Armor" + ], + [ + "", + "Elite Plate Boots", + "18%", + "12%", + "2", + "–", + "4%", + "–", + "-4%", + "–", + "430", + "14.0", + "Boots" + ], + [ + "", + "Elite Plate Helm", + "18%", + "12%", + "2", + "–", + "4%", + "50%", + "-4%", + "–", + "430", + "10.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Helmets", + "column_4": "9%", + "column_5": "1", + "column_6": "8", + "column_7": "-10%", + "column_8": "–", + "column_9": "–", + "durability": "290", + "name": "Elite Hood", + "pouch_bonus": "–", + "resistances": "13% 30%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "20%", + "column_5": "3", + "column_6": "-10", + "column_7": "6%", + "column_8": "–", + "column_9": "-6%", + "durability": "430", + "name": "Elite Plate Armor", + "pouch_bonus": "4", + "resistances": "26%", + "weight": "20.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "–", + "column_9": "-4%", + "durability": "430", + "name": "Elite Plate Boots", + "pouch_bonus": "–", + "resistances": "18%", + "weight": "14.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "50%", + "column_9": "-4%", + "durability": "430", + "name": "Elite Plate Helm", + "pouch_bonus": "–", + "resistances": "18%", + "weight": "10.0" + } + ], + "raw_rows": [ + [ + "", + "Elite Hood", + "13% 30%", + "9%", + "1", + "8", + "-10%", + "–", + "–", + "–", + "290", + "3.0", + "Helmets" + ], + [ + "", + "Elite Plate Armor", + "26%", + "20%", + "3", + "-10", + "6%", + "–", + "-6%", + "4", + "430", + "20.0", + "Body Armor" + ], + [ + "", + "Elite Plate Boots", + "18%", + "12%", + "2", + "–", + "4%", + "–", + "-4%", + "–", + "430", + "14.0", + "Boots" + ], + [ + "", + "Elite Plate Helm", + "18%", + "12%", + "2", + "–", + "4%", + "50%", + "-4%", + "–", + "430", + "10.0", + "Helmets" + ] + ] + } + ], + "description": "Elite Set is a Set in Outward. The infobox stats and image are with the Elite Plate Helm, and not the Elite Hood." + }, + { + "name": "Enchanted Mask", + "url": "https://outward.fandom.com/wiki/Enchanted_Mask", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6600229", + "Sell": "60", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/75/Enchanted_Mask.png/revision/latest/scale-to-width-down/83?cb=20200616185357", + "recipes": [ + { + "result": "Cage Pistol", + "result_count": "1x", + "ingredients": [ + "Haunted Memory", + "Scourge's Tears", + "Flowering Corruption", + "Enchanted Mask" + ], + "station": "None", + "source_page": "Enchanted Mask" + }, + { + "result": "Caged Armor Helm", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Leyline Figment", + "Vendavel's Hospitality", + "Enchanted Mask" + ], + "station": "None", + "source_page": "Enchanted Mask" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Haunted MemoryScourge's TearsFlowering CorruptionEnchanted Mask", + "result": "1x Cage Pistol", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageLeyline FigmentVendavel's HospitalityEnchanted Mask", + "result": "1x Caged Armor Helm", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cage Pistol", + "Haunted MemoryScourge's TearsFlowering CorruptionEnchanted Mask", + "None" + ], + [ + "1x Caged Armor Helm", + "Pearlbird's CourageLeyline FigmentVendavel's HospitalityEnchanted Mask", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Elite Sublime Shell" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Immaculate's Bird" + } + ], + "raw_rows": [ + [ + "Elite Sublime Shell", + "1", + "100%" + ], + [ + "Immaculate's Bird", + "1", + "100%" + ] + ] + } + ], + "description": "Enchanted Mask is an Item in Outward. ." + }, + { + "name": "Enchanting Pedestal", + "url": "https://outward.fandom.com/wiki/Enchanting_Pedestal", + "categories": [ + "DLC: The Soroboreans", + "Deployable", + "Crafting Station", + "Items" + ], + "infobox": { + "Buy": "50", + "Class": "Deployable", + "DLC": "The Soroboreans", + "Object ID": "5000200", + "Sell": "15", + "Type": "Crafting Station", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f0/Enchanting_Pedestal.png/revision/latest/scale-to-width-down/83?cb=20200616185358", + "recipes": [ + { + "result": "Enchanting Pedestal", + "result_count": "1x", + "ingredients": [ + "Enchanting Table Shield" + ], + "station": "None", + "source_page": "Enchanting Pedestal" + }, + { + "result": "Enchanting Table Shield", + "result_count": "1x", + "ingredients": [ + "Enchanting Pedestal" + ], + "station": "None", + "source_page": "Enchanting Pedestal" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Enchanting Table Shield", + "result": "1x Enchanting Pedestal", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Enchanting Pedestal", + "Enchanting Table Shield", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Enchanting Pedestal", + "result": "1x Enchanting Table Shield", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Enchanting Table Shield", + "Enchanting Pedestal", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "1", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1", + "100%", + "Hermit's House" + ], + [ + "Apprentice Ritualist", + "1", + "100%", + "Ritualist's hut" + ], + [ + "Laine the Alchemist", + "1", + "100%", + "Monsoon" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1", + "100%", + "Berg" + ] + ] + } + ], + "description": "Enchanting Pedestal is an Item in Outward, exclusive to The Soroboreans DLC." + }, + { + "name": "Enchanting Pillar", + "url": "https://outward.fandom.com/wiki/Enchanting_Pillar", + "categories": [ + "Deployable", + "Items" + ], + "infobox": { + "Buy": "10", + "Class": "Deployable", + "Object ID": "5000203", + "Sell": "3", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9d/Enchanting_Pillar.png/revision/latest/scale-to-width-down/83?cb=20200616185359", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "3 - 6", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "3 - 6", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3 - 6", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 6", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "3 - 6", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3 - 6", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "3 - 6", + "100%", + "Hermit's House" + ], + [ + "Apprentice Ritualist", + "3 - 6", + "100%", + "Ritualist's hut" + ], + [ + "Laine the Alchemist", + "3 - 6", + "100%", + "Monsoon" + ], + [ + "Ryan Sullivan, Arcanist", + "3 - 6", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "3 - 6", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "3 - 6", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "10.5%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "10.5%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "10.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "10.5%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 3", + "source": "Ornate Chest" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "10.5%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 3", + "10.5%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 3", + "10.5%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 3", + "10.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 3", + "10.5%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Enchanting Pillar is an Item in Outward." + }, + { + "name": "Enchanting Table Shield", + "url": "https://outward.fandom.com/wiki/Enchanting_Table_Shield", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "50", + "Class": "Shields", + "DLC": "The Soroboreans", + "Damage": "15", + "Durability": "50", + "Effects": "Sapped", + "Impact": "34", + "Impact Resist": "12%", + "Object ID": "2300270", + "Sell": "15", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/54/Enchanting_Table_Shield.png/revision/latest/scale-to-width-down/83?cb=20200616185401", + "effects": [ + "Inflicts Sapped (60% buildup)" + ], + "effect_links": [ + "/wiki/Sapped", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Enchanting Table Shield", + "result_count": "1x", + "ingredients": [ + "Enchanting Pedestal" + ], + "station": "None", + "source_page": "Enchanting Table Shield" + }, + { + "result": "Enchanting Pedestal", + "result_count": "1x", + "ingredients": [ + "Enchanting Table Shield" + ], + "station": "None", + "source_page": "Enchanting Table Shield" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Enchanting Pedestal", + "result": "1x Enchanting Table Shield", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Enchanting Table Shield", + "Enchanting Pedestal", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Enchanting Table Shield", + "result": "1x Enchanting Pedestal", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Enchanting Pedestal", + "Enchanting Table Shield", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + } + ], + "description": "Enchanting Table Shield is a type of Weapon in Outward." + }, + { + "name": "Endurance Potion", + "url": "https://outward.fandom.com/wiki/Endurance_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "25", + "Drink": "9%", + "Effects": "Restores 70 StaminaRestores 10 Burnt StaminaGrants Stamina Recovery 3", + "Object ID": "4300030", + "Perish Time": "∞", + "Sell": "8", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/93/Endurance_Potion.png/revision/latest?cb=20190410154002", + "effects": [ + "Restores 70 Stamina and 10 Burnt Stamina", + "Player receives Stamina Recovery (level 3)", + "Restores 90 Drink" + ], + "recipes": [ + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Endurance Potion" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Occult Remains", + "Turmmip" + ], + "station": "Alchemy Kit", + "source_page": "Endurance Potion" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Cactus Fruit" + ], + "station": "Alchemy Kit", + "source_page": "Endurance Potion" + }, + { + "result": "Great Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Endurance Potion" + ], + "station": "Alchemy Kit", + "source_page": "Endurance Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Egg Krimp Nut Water", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Occult Remains Turmmip", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Assassin Tongue Cactus Fruit", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Endurance Potion", + "Egg Krimp Nut Water", + "Alchemy Kit" + ], + [ + "1x Endurance Potion", + "Occult Remains Turmmip", + "Alchemy Kit" + ], + [ + "1x Endurance Potion", + "Assassin Tongue Cactus Fruit", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Krimp NutEndurance Potion", + "result": "1x Great Endurance Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Great Endurance Potion", + "Krimp NutEndurance Potion", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1 - 2", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "1 - 2", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1 - 2", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 6", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Abrassar", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Caldera", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Chersonese", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1 - 2", + "100%", + "Hermit's House" + ], + [ + "Apprentice Ritualist", + "1 - 2", + "100%", + "Ritualist's hut" + ], + [ + "Fourth Watcher", + "1 - 2", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1 - 5", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "1 - 5", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "3 - 6", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 5", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 5", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Enmerkar Forest" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "51.8%", + "quantity": "1 - 4", + "source": "Ash Giant" + }, + { + "chance": "35.1%", + "quantity": "1 - 5", + "source": "The Last Acolyte" + }, + { + "chance": "34.9%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "33.8%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + }, + { + "chance": "32%", + "quantity": "1 - 3", + "source": "Wolfgang Veteran" + }, + { + "chance": "30.1%", + "quantity": "1 - 3", + "source": "Wolfgang Captain" + }, + { + "chance": "29.8%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Greater Grotesque" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Grotesque" + }, + { + "chance": "26.9%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "26.9%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + }, + { + "chance": "26.3%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "24.4%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + }, + { + "chance": "22.1%", + "quantity": "1 - 4", + "source": "Bonded Beastmaster" + }, + { + "chance": "19.3%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + } + ], + "raw_rows": [ + [ + "Ash Giant", + "1 - 4", + "51.8%" + ], + [ + "The Last Acolyte", + "1 - 5", + "35.1%" + ], + [ + "Marsh Captain", + "1 - 4", + "34.9%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "33.8%" + ], + [ + "Wolfgang Veteran", + "1 - 3", + "32%" + ], + [ + "Wolfgang Captain", + "1 - 3", + "30.1%" + ], + [ + "Desert Captain", + "1 - 5", + "29.8%" + ], + [ + "Greater Grotesque", + "1 - 3", + "28.4%" + ], + [ + "Grotesque", + "1 - 3", + "28.4%" + ], + [ + "Bandit Captain", + "1 - 4", + "26.9%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "26.9%" + ], + [ + "Kazite Admiral", + "1 - 5", + "26.3%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "24.4%" + ], + [ + "Bonded Beastmaster", + "1 - 4", + "22.1%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "19.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Endurance Potion is a type of Potion in Outward." + }, + { + "name": "Energizing Potion", + "url": "https://outward.fandom.com/wiki/Energizing_Potion", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "25", + "DLC": "The Soroboreans", + "Effects": "Restores 100% FatigueEnergized", + "Object ID": "4300281", + "Perish Time": "∞", + "Sell": "8", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e8/Energizing_Potion.png/revision/latest/scale-to-width-down/83?cb=20200616185404", + "effects": [ + "Completely restores all Fatigue", + "Player receives Energized", + "+10% Cooldown Reduction" + ], + "effect_links": [ + "/wiki/Energized", + "/wiki/Cooldown_Reduction" + ], + "recipes": [ + { + "result": "Energizing Potion", + "result_count": "3x", + "ingredients": [ + "Leyline Water", + "Crystal Powder", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Energizing Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "300 seconds", + "effects": "+10% Cooldown Reduction", + "name": "Energized" + } + ], + "raw_rows": [ + [ + "", + "Energized", + "300 seconds", + "+10% Cooldown Reduction" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Leyline Water Crystal Powder Stingleaf", + "result": "3x Energizing Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Energizing Potion", + "Leyline Water Crystal Powder Stingleaf", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "4 - 8", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "4 - 8", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Razorhorn Stekosaur" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Razorhorn Stekosaur", + "3", + "100%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "14.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "10.5%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "10.5%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "10.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "10.5%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 3", + "source": "Ornate Chest" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "10.5%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 3", + "10.5%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 3", + "10.5%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 3", + "10.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 3", + "10.5%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Energizing Potion is an Item in Outward." + }, + { + "name": "Enmerkar Tomb Key", + "url": "https://outward.fandom.com/wiki/Enmerkar_Tomb_Key", + "categories": [ + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "5600024", + "Sell": "0", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Giant_Iron_Key.png/revision/latest/scale-to-width-down/83?cb=20190412211145", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "The Crusher" + } + ], + "raw_rows": [ + [ + "The Crusher", + "1", + "100%" + ] + ] + } + ], + "description": "Enmerkar Tomb Key is an item in Outward." + }, + { + "name": "Entomber Armor", + "url": "https://outward.fandom.com/wiki/Entomber_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "360", + "Damage Resist": "21% 30% 30%", + "Durability": "245", + "Hot Weather Def.": "16", + "Impact Resist": "14%", + "Item Set": "Entomber Set", + "Movement Speed": "5%", + "Object ID": "3000112", + "Sell": "108", + "Slot": "Chest", + "Stamina Cost": "-5%", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9d/Entomber_Armor.png/revision/latest?cb=20190415115254", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + }, + { + "chance": "4.9%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "4.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.6%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Entomber Armor is a type of Armor in Outward." + }, + { + "name": "Entomber Boots", + "url": "https://outward.fandom.com/wiki/Entomber_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "200", + "Damage Resist": "12% 15% 15%", + "Durability": "245", + "Hot Weather Def.": "7", + "Impact Resist": "10%", + "Item Set": "Entomber Set", + "Movement Speed": "5%", + "Object ID": "3000118", + "Sell": "66", + "Slot": "Legs", + "Stamina Cost": "-5%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a9/Entomber_Boots.png/revision/latest?cb=20190415153144", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.6%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Entomber Boots is a type of Armor in Outward." + }, + { + "name": "Entomber Hat", + "url": "https://outward.fandom.com/wiki/Entomber_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "200", + "Damage Resist": "12% 15% 15%", + "Durability": "245", + "Hot Weather Def.": "7", + "Impact Resist": "10%", + "Item Set": "Entomber Set", + "Movement Speed": "5%", + "Object ID": "3000115", + "Sell": "67", + "Slot": "Head", + "Stamina Cost": "-5%", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/73/Entomber_Hat.png/revision/latest?cb=20190407194231", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5.6%", + "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.6%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Entomber Hat is a type of Armor in Outward." + }, + { + "name": "Entomber Set", + "url": "https://outward.fandom.com/wiki/Entomber_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "760", + "Damage Resist": "45% 60% 60%", + "Durability": "735", + "Hot Weather Def.": "30", + "Impact Resist": "34%", + "Movement Speed": "15%", + "Object ID": "3000112 (Chest)3000118 (Legs)3000115 (Head)", + "Sell": "241", + "Slot": "Set", + "Stamina Cost": "-15%", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/61/Entomber_set.png/revision/latest/scale-to-width-down/195?cb=20190423175117", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "14%", + "column_5": "16", + "column_6": "-5%", + "column_7": "5%", + "durability": "245", + "name": "Entomber Armor", + "resistances": "21% 30% 30%", + "weight": "7.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "7", + "column_6": "-5%", + "column_7": "5%", + "durability": "245", + "name": "Entomber Boots", + "resistances": "12% 15% 15%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "7", + "column_6": "-5%", + "column_7": "5%", + "durability": "245", + "name": "Entomber Hat", + "resistances": "12% 15% 15%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Entomber Armor", + "21% 30% 30%", + "14%", + "16", + "-5%", + "5%", + "245", + "7.0", + "Body Armor" + ], + [ + "", + "Entomber Boots", + "12% 15% 15%", + "10%", + "7", + "-5%", + "5%", + "245", + "3.0", + "Boots" + ], + [ + "", + "Entomber Hat", + "12% 15% 15%", + "10%", + "7", + "-5%", + "5%", + "245", + "2.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "14%", + "column_5": "16", + "column_6": "-5%", + "column_7": "5%", + "durability": "245", + "name": "Entomber Armor", + "resistances": "21% 30% 30%", + "weight": "7.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "7", + "column_6": "-5%", + "column_7": "5%", + "durability": "245", + "name": "Entomber Boots", + "resistances": "12% 15% 15%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "7", + "column_6": "-5%", + "column_7": "5%", + "durability": "245", + "name": "Entomber Hat", + "resistances": "12% 15% 15%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Entomber Armor", + "21% 30% 30%", + "14%", + "16", + "-5%", + "5%", + "245", + "7.0", + "Body Armor" + ], + [ + "", + "Entomber Boots", + "12% 15% 15%", + "10%", + "7", + "-5%", + "5%", + "245", + "3.0", + "Boots" + ], + [ + "", + "Entomber Hat", + "12% 15% 15%", + "10%", + "7", + "-5%", + "5%", + "245", + "2.0", + "Helmets" + ] + ] + } + ], + "description": "Entomber Set is a Set in Outward." + }, + { + "name": "Ergagr'Uk!", + "url": "https://outward.fandom.com/wiki/Ergagr%27Uk!", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Damage Bonus": "50%", + "Durability": "∞", + "Effects": "+0.1 Mana restored per second", + "Impact Resist": "0%", + "Mana Cost": "-50%", + "Object ID": "3900000", + "Sell": "6", + "Slot": "Head", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e5/Ergagr%27Uk%21.png/revision/latest/scale-to-width-down/83?cb=20210110081138", + "effects": [ + "+0.1 Mana restored per second" + ], + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Ergagr'Uk!" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Armor Star Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic Armor Star Mushroom", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Ergagr'Uk! is a type of Equipment in Outward, which can only be used by Troglodyte players." + }, + { + "name": "Ethereal Totemic Lodge", + "url": "https://outward.fandom.com/wiki/Ethereal_Totemic_Lodge", + "categories": [ + "DLC: The Three Brothers", + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "220", + "Class": "Deployable", + "DLC": "The Three Brothers", + "Duration": "2400 seconds (40 minutes)", + "Effects": "-15% Stamina costs+10% Ethereal damage bonus-35% Physical resistance", + "Object ID": "5000220", + "Sell": "66", + "Type": "Sleep", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2e/Ethereal_Totemic_Lodge.png/revision/latest/scale-to-width-down/83?cb=20201220074856", + "effects": [ + "-15% Stamina costs", + "+10% Ethereal damage bonus", + "-35% Physical resistance" + ], + "recipes": [ + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Ethereal Totemic Lodge" + }, + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Ethereal Totemic Lodge" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Ethereal Totemic Lodge" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Ethereal Totemic Lodge" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Ethereal Totemic Lodge" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Ethereal Totemic Lodge" + } + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "-15% Stamina costs+10% Ethereal damage bonus-35% Physical resistance", + "name": "Sleep: Ethereal Totemic Lodge" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Ethereal Totemic Lodge", + "2400 seconds (40 minutes)", + "-15% Stamina costs+10% Ethereal damage bonus-35% Physical resistance" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced Tent Hackmanite Ghost's Eye Predator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ethereal Totemic Lodge", + "Advanced Tent Hackmanite Ghost's Eye Predator Bones", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ] + ] + } + ], + "description": "Ethereal Totemic Lodge is an Item in Outward." + }, + { + "name": "Experimental Chakram", + "url": "https://outward.fandom.com/wiki/Experimental_Chakram", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Chakrams", + "DLC": "The Three Brothers", + "Damage": "45", + "Durability": "200", + "Impact": "45", + "Object ID": "5110112", + "Sell": "240", + "Type": "Off-Handed", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6b/Experimental_Chakram.png/revision/latest/scale-to-width-down/83?cb=20201220074858", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + } + ], + "description": "Experimental Chakram is a type of Weapon in Outward." + }, + { + "name": "Explorer Lantern", + "url": "https://outward.fandom.com/wiki/Explorer_Lantern", + "categories": [ + "Items", + "Equipment", + "Lanterns" + ], + "infobox": { + "Buy": "25", + "Class": "Lanterns", + "Durability": "200", + "Object ID": "5100000", + "Sell": "8", + "Type": "Throwable", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5a/Explorer_Lantern.png/revision/latest?cb=20190407074627", + "recipes": [ + { + "result": "Explorer Lantern", + "result_count": "1x", + "ingredients": [ + "Explorer Lantern", + "Thick Oil" + ], + "station": "None", + "source_page": "Explorer Lantern" + }, + { + "result": "Explorer Lantern", + "result_count": "1x", + "ingredients": [ + "Explorer Lantern", + "Thick Oil" + ], + "station": "None", + "source_page": "Explorer Lantern" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Explorer Lantern" + } + ], + "tables": [ + { + "title": "Crafting / Refueling", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Explorer Lantern Thick Oil", + "result": "1x Explorer Lantern", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Explorer Lantern", + "Explorer Lantern Thick Oil", + "None" + ] + ] + }, + { + "title": "Crafting / Refueling / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Explorer LanternThick Oil", + "result": "1x Explorer Lantern", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Explorer Lantern", + "Explorer LanternThick Oil", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "1", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "1", + "100%", + "Giants' Village" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "1", + "100%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "34.1%", + "quantity": "1 - 5", + "source": "Ash Giant Priest" + }, + { + "chance": "34.1%", + "quantity": "1 - 5", + "source": "Giant Hunter" + }, + { + "chance": "16%", + "quantity": "1 - 5", + "source": "The Last Acolyte" + }, + { + "chance": "12.7%", + "quantity": "1 - 4", + "source": "Ash Giant" + }, + { + "chance": "10.8%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + } + ], + "raw_rows": [ + [ + "Ash Giant Priest", + "1 - 5", + "34.1%" + ], + [ + "Giant Hunter", + "1 - 5", + "34.1%" + ], + [ + "The Last Acolyte", + "1 - 5", + "16%" + ], + [ + "Ash Giant", + "1 - 4", + "12.7%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "10.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.9%", + "locations": "The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.9%", + "locations": "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "6.9%", + "locations": "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.9%", + "locations": "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Royal Manticore's Lair, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.9%", + "locations": "Dead Tree, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.9%", + "locations": "Ancient Hive, Dead Roots, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.9%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.9%", + "The Slide, Ziggurat Passage" + ], + [ + "Chest", + "1", + "6.9%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery" + ], + [ + "Corpse", + "1", + "6.9%", + "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory" + ], + [ + "Hollowed Trunk", + "1", + "6.9%", + "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "6.9%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1", + "6.9%", + "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island" + ], + [ + "Looter's Corpse", + "1", + "6.9%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Royal Manticore's Lair, Wendigo Lair" + ], + [ + "Ornate Chest", + "1", + "6.9%", + "Dead Tree, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Soldier's Corpse", + "1", + "6.9%", + "Ancient Hive, Dead Roots, Heroic Kingdom's Conflux Path" + ], + [ + "Stash", + "1", + "6.9%", + "Berg" + ] + ] + } + ], + "description": "The Explorer Lantern is one of the lanterns in Outward." + }, + { + "name": "Explosive Arrow", + "url": "https://outward.fandom.com/wiki/Explosive_Arrow", + "categories": [ + "DLC: The Three Brothers", + "Arrow", + "Ammunition", + "Items" + ], + "infobox": { + "Buy": "25", + "Class": "Arrow", + "DLC": "The Three Brothers", + "Effects": "AoE Blast deals +30 Fire and +50 Impact", + "Object ID": "5200007", + "Sell": "8", + "Type": "Ammunition", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c1/Explosive_Arrow.png/revision/latest/scale-to-width-down/83?cb=20201220074859", + "effects": [ + "AoE Blast, deals 30 Fire and 50 Impact" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "5", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "5", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Explosive Arrow is an Item in Outward." + }, + { + "name": "Fabulous Palladium Shield", + "url": "https://outward.fandom.com/wiki/Fabulous_Palladium_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Shields", + "Damage": "32", + "Durability": "300", + "Effects": "Elemental Vulnerability", + "Impact": "51", + "Impact Resist": "17%", + "Item Set": "Palladium Set", + "Object ID": "2300171", + "Sell": "240", + "Type": "One-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4f/Fabulous_Palladium_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407070643", + "effects": [ + "Inflicts Elemental Vulnerability (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Fabulous Palladium Shield" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fabulous Palladium Shield is a shield in Outward. It's visually similar to a Palladium Shield, except it has a metallic rainbow colored texture." + }, + { + "name": "Fang Axe", + "url": "https://outward.fandom.com/wiki/Fang_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "50", + "Class": "Axes", + "Damage": "22", + "Durability": "200", + "Effects": "Bleeding", + "Impact": "18", + "Item Set": "Fang Set", + "Object ID": "2010040", + "Sell": "16", + "Stamina Cost": "4.6", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3a/Fang_Axe.png/revision/latest?cb=20190412200409", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fang Axe", + "result_count": "1x", + "ingredients": [ + "Iron Axe", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Fang Axe" + }, + { + "result": "Horror Axe", + "result_count": "1x", + "ingredients": [ + "Fang Axe", + "Horror Chitin", + "Palladium Scrap", + "Occult Remains" + ], + "station": "None", + "source_page": "Fang Axe" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Fang Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.6", + "damage": "22", + "description": "Two slashing strikes, right to left", + "impact": "18", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "5.52", + "damage": "28.6", + "description": "Fast, triple-attack strike", + "impact": "23.4", + "input": "Special" + }, + { + "attacks": "2", + "cost": "5.52", + "damage": "28.6", + "description": "Quick double strike", + "impact": "23.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "5.52", + "damage": "28.6", + "description": "Wide-sweeping double strike", + "impact": "23.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "22", + "18", + "4.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "28.6", + "23.4", + "5.52", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "28.6", + "23.4", + "5.52", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "28.6", + "23.4", + "5.52", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Axe Predator Bones Linen Cloth", + "result": "1x Fang Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Axe", + "Iron Axe Predator Bones Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang AxeHorror ChitinPalladium ScrapOccult Remains", + "result": "1x Horror Axe", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Axe", + "Fang AxeHorror ChitinPalladium ScrapOccult Remains", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fang Axe is a craftable one-handed axe in Outward." + }, + { + "name": "Fang Club", + "url": "https://outward.fandom.com/wiki/Fang_Club", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "25", + "Class": "Maces", + "Damage": "26", + "Durability": "275", + "Effects": "Bleeding", + "Impact": "28", + "Item Set": "Fang Set", + "Object ID": "2020050", + "Sell": "8", + "Stamina Cost": "4.6", + "Type": "One-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cc/Fang_Club.png/revision/latest?cb=20190412210909", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fang Club", + "result_count": "1x", + "ingredients": [ + "Iron Mace", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Fang Club" + }, + { + "result": "Horror Mace", + "result_count": "1x", + "ingredients": [ + "Fang Club", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Fang Club" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Fang Club" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.6", + "damage": "26", + "description": "Two wide-sweeping strikes, right to left", + "impact": "28", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.98", + "damage": "33.8", + "description": "Slow, overhead strike with high impact", + "impact": "70", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.98", + "damage": "33.8", + "description": "Fast, forward-thrusting strike", + "impact": "36.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.98", + "damage": "33.8", + "description": "Fast, forward-thrusting strike", + "impact": "36.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26", + "28", + "4.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "33.8", + "70", + "5.98", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "33.8", + "36.4", + "5.98", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "33.8", + "36.4", + "5.98", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Mace Predator Bones Linen Cloth", + "result": "1x Fang Club", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Club", + "Iron Mace Predator Bones Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang ClubHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Mace", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Mace", + "Fang ClubHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fang Club is a craftable one-handed mace in Outward." + }, + { + "name": "Fang Greataxe", + "url": "https://outward.fandom.com/wiki/Fang_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "30", + "Class": "Axes", + "Damage": "29", + "Durability": "250", + "Effects": "Bleeding", + "Impact": "27", + "Item Set": "Fang Set", + "Object ID": "2110010", + "Sell": "9", + "Stamina Cost": "6.3", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/85/Fang_Greataxe.png/revision/latest?cb=20190412202306", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fang Greataxe", + "result_count": "1x", + "ingredients": [ + "Iron Greataxe", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Fang Greataxe" + }, + { + "result": "Horror Greataxe", + "result_count": "1x", + "ingredients": [ + "Fang Greataxe", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Fang Greataxe" + }, + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Fang Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.3", + "damage": "29", + "description": "Two slashing strikes, left to right", + "impact": "27", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "8.66", + "damage": "37.7", + "description": "Uppercut strike into right sweep strike", + "impact": "35.1", + "input": "Special" + }, + { + "attacks": "2", + "cost": "8.66", + "damage": "37.7", + "description": "Left-spinning double strike", + "impact": "35.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "8.51", + "damage": "37.7", + "description": "Right-spinning double strike", + "impact": "35.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29", + "27", + "6.3", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "37.7", + "35.1", + "8.66", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "37.7", + "35.1", + "8.66", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "37.7", + "35.1", + "8.51", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Greataxe Predator Bones Predator Bones Linen Cloth", + "result": "1x Fang Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Greataxe", + "Iron Greataxe Predator Bones Predator Bones Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang GreataxeHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greataxe", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Greataxe", + "Fang GreataxeHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fang Greataxe is an two-handed axe in Outward." + }, + { + "name": "Fang Greatclub", + "url": "https://outward.fandom.com/wiki/Fang_Greatclub", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "62", + "Class": "Maces", + "Damage": "27", + "Durability": "300", + "Effects": "Bleeding", + "Impact": "35", + "Item Set": "Fang Set", + "Object ID": "2120020", + "Sell": "18", + "Stamina Cost": "6.3", + "Type": "Two-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6b/Fang_Greatclub.png/revision/latest?cb=20190412211846", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fang Greatclub", + "result_count": "1x", + "ingredients": [ + "Iron Greathammer", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Fang Greatclub" + }, + { + "result": "Horror Greatmace", + "result_count": "1x", + "ingredients": [ + "Fang Greatclub", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Fang Greatclub" + }, + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Fang Greatclub" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.3", + "damage": "27", + "description": "Two slashing strikes, left to right", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.56", + "damage": "20.25", + "description": "Blunt strike with high impact", + "impact": "70", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.56", + "damage": "37.8", + "description": "Powerful overhead strike", + "impact": "49", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.56", + "damage": "37.8", + "description": "Forward-running uppercut strike", + "impact": "49", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "27", + "35", + "6.3", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "20.25", + "70", + "7.56", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "37.8", + "49", + "7.56", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "37.8", + "49", + "7.56", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Greathammer Predator Bones Predator Bones Linen Cloth", + "result": "1x Fang Greatclub", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Greatclub", + "Iron Greathammer Predator Bones Predator Bones Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang GreatclubHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greatmace", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Greatmace", + "Fang GreatclubHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fang Greatclub is a two-handed mace in Outward." + }, + { + "name": "Fang Greatsword", + "url": "https://outward.fandom.com/wiki/Fang_Greatsword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "62", + "Class": "Swords", + "Damage": "28", + "Durability": "225", + "Effects": "Bleeding", + "Impact": "30", + "Item Set": "Fang Set", + "Object ID": "2100020", + "Sell": "18", + "Stamina Cost": "6.3", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1d/Fang_Greatsword.png/revision/latest?cb=20190413073600", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fang Greatsword", + "result_count": "1x", + "ingredients": [ + "Iron Claymore", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Fang Greatsword" + }, + { + "result": "Assassin Claymore", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Assassin Tongue", + "Fang Greatsword", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Fang Greatsword" + }, + { + "result": "Horror Greatsword", + "result_count": "1x", + "ingredients": [ + "Fang Greatsword", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Fang Greatsword" + }, + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Fang Greatsword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.3", + "damage": "28", + "description": "Two slashing strikes, left to right", + "impact": "30", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.19", + "damage": "42", + "description": "Overhead downward-thrusting strike", + "impact": "45", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.93", + "damage": "35.42", + "description": "Spinning strike from the right", + "impact": "33", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.93", + "damage": "35.42", + "description": "Spinning strike from the left", + "impact": "33", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "28", + "30", + "6.3", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "42", + "45", + "8.19", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "35.42", + "33", + "6.93", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "35.42", + "33", + "6.93", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Claymore Predator Bones Predator Bones Linen Cloth", + "result": "1x Fang Greatsword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Greatsword", + "Iron Claymore Predator Bones Predator Bones Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Assassin TongueAssassin TongueFang GreatswordPalladium Scrap", + "result": "1x Assassin Claymore", + "station": "None" + }, + { + "ingredients": "Fang GreatswordHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greatsword", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Assassin Claymore", + "Assassin TongueAssassin TongueFang GreatswordPalladium Scrap", + "None" + ], + [ + "1x Horror Greatsword", + "Fang GreatswordHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fang Greatsword is a craftable Two-Handed Sword in Outward." + }, + { + "name": "Fang Halberd", + "url": "https://outward.fandom.com/wiki/Fang_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "62", + "Class": "Polearms", + "Damage": "25", + "Durability": "250", + "Effects": "Bleeding", + "Impact": "31", + "Item Set": "Fang Set", + "Object ID": "2140020", + "Sell": "18", + "Stamina Cost": "5.8", + "Type": "Halberd", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/05/Fang_Halberd.png/revision/latest?cb=20190412213052", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fang Halberd", + "result_count": "1x", + "ingredients": [ + "Iron Halberd", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Fang Halberd" + }, + { + "result": "Horror Halberd", + "result_count": "1x", + "ingredients": [ + "Fang Halberd", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Fang Halberd" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Fang Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.8", + "damage": "25", + "description": "Two wide-sweeping strikes, left to right", + "impact": "31", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.25", + "damage": "32.5", + "description": "Forward-thrusting strike", + "impact": "40.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.25", + "damage": "32.5", + "description": "Wide-sweeping strike from left", + "impact": "40.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.15", + "damage": "42.5", + "description": "Slow but powerful sweeping strike", + "impact": "52.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "31", + "5.8", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "32.5", + "40.3", + "7.25", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "32.5", + "40.3", + "7.25", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "42.5", + "52.7", + "10.15", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Halberd Predator Bones Predator Bones Linen Cloth", + "result": "1x Fang Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Halberd", + "Iron Halberd Predator Bones Predator Bones Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang HalberdHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Halberd", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Halberd", + "Fang HalberdHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fang Halberd is a type of Polearm in Outward." + }, + { + "name": "Fang Knuckles", + "url": "https://outward.fandom.com/wiki/Fang_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "50", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "20", + "Durability": "175", + "Effects": "Bleeding", + "Impact": "13", + "Item Set": "Fang Set", + "Object ID": "2160030", + "Sell": "15", + "Stamina Cost": "2.3", + "Type": "Two-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6a/Fang_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20200616185406", + "effects": [ + "Inflicts Bleeding (22.5% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fang Knuckles", + "result_count": "1x", + "ingredients": [ + "Iron Wristband", + "Iron Wristband", + "Iron Knuckles", + "Predator Bones" + ], + "station": "None", + "source_page": "Fang Knuckles" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.3", + "damage": "20", + "description": "Four fast punches, right to left", + "impact": "13", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "2.99", + "damage": "26", + "description": "Forward-lunging left hook", + "impact": "16.9", + "input": "Special" + }, + { + "attacks": "1", + "cost": "2.76", + "damage": "26", + "description": "Left dodging, left uppercut", + "impact": "16.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "2.76", + "damage": "26", + "description": "Right dodging, right spinning hammer strike", + "impact": "16.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "20", + "13", + "2.3", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "26", + "16.9", + "2.99", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "26", + "16.9", + "2.76", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "26", + "16.9", + "2.76", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Wristband Iron Wristband Iron Knuckles Predator Bones", + "result": "1x Fang Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Knuckles", + "Iron Wristband Iron Wristband Iron Knuckles Predator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Fang Knuckles is a type of Weapon in Outward." + }, + { + "name": "Fang Shield", + "url": "https://outward.fandom.com/wiki/Fang_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "50", + "Class": "Shields", + "Damage": "18", + "Durability": "175", + "Effects": "Bleeding", + "Impact": "37", + "Impact Resist": "14%", + "Item Set": "Fang Set", + "Object ID": "2300060", + "Sell": "15", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c3/Fang_Shield.png/revision/latest/scale-to-width-down/83?cb=20190411092440", + "effects": [ + "Inflicts Bleeding (60% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fang Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Fang Shield" + }, + { + "result": "Horror Shield", + "result_count": "1x", + "ingredients": [ + "Fang Shield", + "Horror Chitin", + "Palladium Scrap", + "Occult Remains" + ], + "station": "None", + "source_page": "Fang Shield" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Fang Shield" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Round Shield Predator Bones Linen Cloth", + "result": "1x Fang Shield", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Shield", + "Round Shield Predator Bones Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang ShieldHorror ChitinPalladium ScrapOccult Remains", + "result": "1x Horror Shield", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Shield", + "Fang ShieldHorror ChitinPalladium ScrapOccult Remains", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fang Shield is a type of shield in Outward." + }, + { + "name": "Fang Sword", + "url": "https://outward.fandom.com/wiki/Fang_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "50", + "Class": "Swords", + "Damage": "22", + "Durability": "150", + "Effects": "Bleeding", + "Impact": "17", + "Item Set": "Fang Set", + "Object ID": "2000050", + "Sell": "16", + "Stamina Cost": "4.025", + "Type": "One-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0d/Fang_Sword.png/revision/latest?cb=20190413071532", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fang Sword", + "result_count": "1x", + "ingredients": [ + "Iron Sword", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Fang Sword" + }, + { + "result": "Horror Sword", + "result_count": "1x", + "ingredients": [ + "Fang Sword", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Fang Sword" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Fang Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.025", + "damage": "22", + "description": "Two slash attacks, left to right", + "impact": "17", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "4.83", + "damage": "32.89", + "description": "Forward-thrusting strike", + "impact": "22.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.43", + "damage": "27.83", + "description": "Heavy left-lunging strike", + "impact": "18.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.43", + "damage": "27.83", + "description": "Heavy right-lunging strike", + "impact": "18.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "22", + "17", + "4.025", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "32.89", + "22.1", + "4.83", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "27.83", + "18.7", + "4.43", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.83", + "18.7", + "4.43", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Sword Predator Bones Linen Cloth", + "result": "1x Fang Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Sword", + "Iron Sword Predator Bones Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang SwordHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Sword", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Sword", + "Fang SwordHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fang Sword is a one-handed sword in Outward." + }, + { + "name": "Fang Trident", + "url": "https://outward.fandom.com/wiki/Fang_Trident", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "62", + "Class": "Spears", + "Damage": "28", + "Durability": "175", + "Effects": "Bleeding", + "Impact": "20", + "Item Set": "Fang Set", + "Object ID": "2130020", + "Sell": "18", + "Stamina Cost": "4.6", + "Type": "Two-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e6/Fang_Trident.png/revision/latest?cb=20190413065827", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fang Trident", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Fang Trident" + }, + { + "result": "Horror Spear", + "result_count": "1x", + "ingredients": [ + "Fang Trident", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Fang Trident" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Fang Trident" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.6", + "damage": "28", + "description": "Two forward-thrusting stabs", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.75", + "damage": "39.2", + "description": "Forward-lunging strike", + "impact": "24", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.75", + "damage": "36.4", + "description": "Left-sweeping strike, jump back", + "impact": "24", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.75", + "damage": "33.6", + "description": "Fast spinning strike from the right", + "impact": "22", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "28", + "20", + "4.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "39.2", + "24", + "5.75", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "36.4", + "24", + "5.75", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "33.6", + "22", + "5.75", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Spear Predator Bones Predator Bones Linen Cloth", + "result": "1x Fang Trident", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Trident", + "Iron Spear Predator Bones Predator Bones Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang TridentHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Spear", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Spear", + "Fang TridentHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fang Trident is a spear in Outward." + }, + { + "name": "Felling Greataxe", + "url": "https://outward.fandom.com/wiki/Felling_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "20", + "Class": "Axes", + "Damage": "18", + "Durability": "175", + "Impact": "20", + "Object ID": "2110040", + "Sell": "6", + "Stamina Cost": "5.5", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/40/Felling_Greataxe.png/revision/latest?cb=20190412202347", + "recipes": [ + { + "result": "Crescent Greataxe", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Shark Cartilage", + "Palladium Scrap", + "Felling Greataxe" + ], + "station": "None", + "source_page": "Felling Greataxe" + }, + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Felling Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.5", + "damage": "18", + "description": "Two slashing strikes, left to right", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "7.56", + "damage": "23.4", + "description": "Uppercut strike into right sweep strike", + "impact": "26", + "input": "Special" + }, + { + "attacks": "2", + "cost": "7.56", + "damage": "23.4", + "description": "Left-spinning double strike", + "impact": "26", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "7.43", + "damage": "23.4", + "description": "Right-spinning double strike", + "impact": "26", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "18", + "20", + "5.5", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "23.4", + "26", + "7.56", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "23.4", + "26", + "7.56", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "23.4", + "26", + "7.43", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shark CartilageShark CartilagePalladium ScrapFelling Greataxe", + "result": "1x Crescent Greataxe", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Crescent Greataxe", + "Shark CartilageShark CartilagePalladium ScrapFelling Greataxe", + "None" + ], + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + } + ], + "raw_rows": [ + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "8%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "8%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Adventurer's Corpse", + "1", + "8%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "8%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "8%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "8%", + "Blister Burrow" + ], + [ + "Soldier's Corpse", + "1", + "8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "Felling Greataxe is a two-handed axe weapon in Outward." + }, + { + "name": "Festive Set", + "url": "https://outward.fandom.com/wiki/Festive_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "55", + "Damage Resist": "7%", + "Durability": "300", + "Hot Weather Def.": "16", + "Impact Resist": "5%", + "Object ID": "3000091 (Chest)3000093 (Head)", + "Sell": "18", + "Slot": "Set", + "Stamina Cost": "-15%", + "Weight": "5.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "10", + "column_6": "-10%", + "durability": "150", + "name": "Purple Festive Attire", + "resistances": "5%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "2%", + "column_5": "6", + "column_6": "-5%", + "durability": "150", + "name": "Purple Festive Hat", + "resistances": "2%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "10", + "column_6": "-10%", + "durability": "150", + "name": "Red Festive Attire", + "resistances": "5%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "2%", + "column_5": "6", + "column_6": "-5%", + "durability": "150", + "name": "Red Festive Hat", + "resistances": "2%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Purple Festive Attire", + "5%", + "3%", + "10", + "-10%", + "150", + "4.0", + "Body Armor" + ], + [ + "", + "Purple Festive Hat", + "2%", + "2%", + "6", + "-5%", + "150", + "1.0", + "Helmets" + ], + [ + "", + "Red Festive Attire", + "5%", + "3%", + "10", + "-10%", + "150", + "4.0", + "Body Armor" + ], + [ + "", + "Red Festive Hat", + "2%", + "2%", + "6", + "-5%", + "150", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "10", + "column_6": "-10%", + "durability": "150", + "name": "Purple Festive Attire", + "resistances": "5%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "2%", + "column_5": "6", + "column_6": "-5%", + "durability": "150", + "name": "Purple Festive Hat", + "resistances": "2%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "10", + "column_6": "-10%", + "durability": "150", + "name": "Red Festive Attire", + "resistances": "5%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "2%", + "column_5": "6", + "column_6": "-5%", + "durability": "150", + "name": "Red Festive Hat", + "resistances": "2%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Purple Festive Attire", + "5%", + "3%", + "10", + "-10%", + "150", + "4.0", + "Body Armor" + ], + [ + "", + "Purple Festive Hat", + "2%", + "2%", + "6", + "-5%", + "150", + "1.0", + "Helmets" + ], + [ + "", + "Red Festive Attire", + "5%", + "3%", + "10", + "-10%", + "150", + "4.0", + "Body Armor" + ], + [ + "", + "Red Festive Hat", + "2%", + "2%", + "6", + "-5%", + "150", + "1.0", + "Helmets" + ] + ] + } + ], + "description": "Festive Set is a Set in Outward." + }, + { + "name": "Fire Rag", + "url": "https://outward.fandom.com/wiki/Fire_Rag", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "Effects": "Fire Imbue", + "Object ID": "4400040", + "Perish Time": "∞", + "Sell": "4", + "Type": "Imbues", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5d/Fire_Rag.png/revision/latest?cb=20190417061442", + "effects": [ + "Player receives Fire Imbue", + "Increases damage by 10% as Fire damage", + "Grants +4 flat Fire damage." + ], + "effect_links": [ + "/wiki/Fire_Imbue" + ], + "recipes": [ + { + "result": "Fire Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Thick Oil" + ], + "station": "None", + "source_page": "Fire Rag" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "90 seconds", + "effects": "Increases damage by 10% as Fire damageGrants +4 flat Fire damage.", + "name": "Fire Imbue" + } + ], + "raw_rows": [ + [ + "", + "Fire Imbue", + "90 seconds", + "Increases damage by 10% as Fire damageGrants +4 flat Fire damage." + ] + ] + }, + { + "title": "Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Linen Cloth Thick Oil", + "result": "1x Fire Rag", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fire Rag", + "Linen Cloth Thick Oil", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 2", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 2", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Vay the Alchemist" + }, + { + "chance": "39.4%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 9", + "source": "Pholiota/Low Stock" + }, + { + "chance": "35.9%", + "locations": "Monsoon", + "quantity": "1 - 9", + "source": "Shopkeeper Lyda" + }, + { + "chance": "35.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "34.4%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "27.1%", + "locations": "Cierzo", + "quantity": "1 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "27.1%", + "locations": "Berg", + "quantity": "1 - 4", + "source": "Vay the Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "1 - 2", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "1", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 2", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "1 - 2", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1 - 2", + "100%", + "Berg" + ], + [ + "Pholiota/Low Stock", + "1 - 9", + "39.4%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Shopkeeper Lyda", + "1 - 9", + "35.9%", + "Monsoon" + ], + [ + "Felix Jimson, Shopkeeper", + "2 - 20", + "35.3%", + "Harmattan" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "34.4%", + "New Sirocco" + ], + [ + "Helmi the Alchemist", + "1 - 4", + "27.1%", + "Cierzo" + ], + [ + "Vay the Alchemist", + "1 - 4", + "27.1%", + "Berg" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "33.3%", + "quantity": "1", + "source": "Burning Man" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Greater Grotesque" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Grotesque" + } + ], + "raw_rows": [ + [ + "Burning Man", + "1", + "33.3%" + ], + [ + "Greater Grotesque", + "1 - 3", + "28.4%" + ], + [ + "Grotesque", + "1 - 3", + "28.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 4", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 4", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ] + ] + } + ], + "description": "Fire Rag is a Consumable item in Outward, which grants an Imbue." + }, + { + "name": "Fire Stone", + "url": "https://outward.fandom.com/wiki/Fire_Stone", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "25", + "Object ID": "6500010", + "Sell": "8", + "Type": "Ingredient", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/63/Fire_Stone.png/revision/latest/scale-to-width-down/83?cb=20190419163339", + "recipes": [ + { + "result": "Fire Stone", + "result_count": "1x", + "ingredients": [ + "Mana Stone", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Fire Stone" + }, + { + "result": "Fire Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Seared Root", + "Fire Stone" + ], + "station": "Alchemy Kit", + "source_page": "Fire Stone" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mana Stone Thick Oil", + "result": "1x Fire Stone", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Fire Stone", + "Mana Stone Thick Oil", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberry WineSeared RootFire Stone", + "result": "1x Fire Varnish", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Fire Varnish", + "Gaberry WineSeared RootFire Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 6", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 12", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 12", + "source": "Fourth Watcher" + } + ], + "raw_rows": [ + [ + "Patrick Arago, General Store", + "3 - 6", + "100%", + "New Sirocco" + ], + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 12", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 12", + "25.9%", + "Conflux Chambers" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Molten Forge Golem" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Obsidian Elemental" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Obsidian Elemental (Caldera)" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Thunderbolt Golem" + }, + { + "chance": "50%", + "quantity": "3 - 5", + "source": "Arcane Elemental (Fire)" + }, + { + "chance": "23.5%", + "quantity": "1", + "source": "Burning Man" + }, + { + "chance": "22.2%", + "quantity": "1", + "source": "Forge Golem" + }, + { + "chance": "12.3%", + "quantity": "1 - 3", + "source": "Ice Witch" + }, + { + "chance": "9.4%", + "quantity": "1", + "source": "Jade-Lich Acolyte" + } + ], + "raw_rows": [ + [ + "Molten Forge Golem", + "1", + "100%" + ], + [ + "Obsidian Elemental", + "2 - 3", + "100%" + ], + [ + "Obsidian Elemental (Caldera)", + "2 - 3", + "100%" + ], + [ + "Thunderbolt Golem", + "1", + "100%" + ], + [ + "Arcane Elemental (Fire)", + "3 - 5", + "50%" + ], + [ + "Burning Man", + "1", + "23.5%" + ], + [ + "Forge Golem", + "1", + "22.2%" + ], + [ + "Ice Witch", + "1 - 3", + "12.3%" + ], + [ + "Jade-Lich Acolyte", + "1", + "9.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 6", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 6", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 6", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 6", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 6", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 6", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path", + "quantity": "1 - 6", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 6", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 6", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 6", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 6", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 6", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 6", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 6", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 6", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 6", + "14.8%", + "Ark of the Exiled, Forest Hives" + ], + [ + "Soldier's Corpse", + "1 - 6", + "14.8%", + "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "Fire Stone is crafting item in Outward and also a magic ingredient." + }, + { + "name": "Fire Totemic Lodge", + "url": "https://outward.fandom.com/wiki/Fire_Totemic_Lodge", + "categories": [ + "DLC: The Three Brothers", + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "220", + "Class": "Deployable", + "DLC": "The Three Brothers", + "Duration": "2400 seconds (40 minutes)", + "Effects": "-15% Stamina costs+10% Fire damage bonus-35% Frost resistance", + "Object ID": "5000226", + "Sell": "66", + "Type": "Sleep", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/51/Fire_Totemic_Lodge.png/revision/latest/scale-to-width-down/83?cb=20201220074900", + "effects": [ + "-15% Stamina costs", + "+10% Fire damage bonus", + "-35% Frost resistance" + ], + "recipes": [ + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Fire Totemic Lodge" + }, + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Fire Totemic Lodge" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Fire Totemic Lodge" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Fire Totemic Lodge" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Fire Totemic Lodge" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Fire Totemic Lodge" + } + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "-15% Stamina costs+10% Fire damage bonus-35% Frost resistance", + "name": "Sleep: Fire Totemic Lodge" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Fire Totemic Lodge", + "2400 seconds (40 minutes)", + "-15% Stamina costs+10% Fire damage bonus-35% Frost resistance" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced Tent Obsidian Shard Seared Root Predator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fire Totemic Lodge", + "Advanced Tent Obsidian Shard Seared Root Predator Bones", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ] + ] + } + ], + "description": "Fire Totemic Lodge is an Item in Outward." + }, + { + "name": "Fire Varnish", + "url": "https://outward.fandom.com/wiki/Fire_Varnish", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "40", + "Effects": "Greater Fire Imbue", + "Object ID": "4400041", + "Perish Time": "∞", + "Sell": "12", + "Type": "Imbues", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e5/Fire_Varnish.png/revision/latest/scale-to-width-down/83?cb=20190410205741", + "effects": [ + "Player receives Greater Fire Imbue", + "Increases damage by 10% as Fire damage", + "Grants +12 flat Fire damage.", + "Inflicts Burning (40%)" + ], + "effect_links": [ + "/wiki/Greater_Fire_Imbue", + "/wiki/Burning" + ], + "recipes": [ + { + "result": "Fire Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Seared Root", + "Fire Stone" + ], + "station": "Alchemy Kit", + "source_page": "Fire Varnish" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "180 seconds", + "effects": "Increases damage by 10% as Fire damageGrants +12 flat Fire damage.Inflicts Burning (40%)", + "name": "Greater Fire Imbue" + } + ], + "raw_rows": [ + [ + "", + "Greater Fire Imbue", + "180 seconds", + "Increases damage by 10% as Fire damageGrants +12 flat Fire damage.Inflicts Burning (40%)" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberry Wine Seared Root Fire Stone", + "result": "1x Fire Varnish", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Fire Varnish", + "Gaberry Wine Seared Root Fire Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "44.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "34.4%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "27.1%", + "locations": "Cierzo", + "quantity": "1 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "27.1%", + "locations": "Berg", + "quantity": "1 - 4", + "source": "Vay the Alchemist" + }, + { + "chance": "25%", + "locations": "Monsoon", + "quantity": "1 - 3", + "source": "Shopkeeper Lyda" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "3", + "44.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "34.4%", + "New Sirocco" + ], + [ + "Helmi the Alchemist", + "1 - 4", + "27.1%", + "Cierzo" + ], + [ + "Vay the Alchemist", + "1 - 4", + "27.1%", + "Berg" + ], + [ + "Shopkeeper Lyda", + "1 - 3", + "25%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Friendly Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Raider" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Warlock" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Obsidian Elemental" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Obsidian Elemental (Caldera)" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Ghost (Red)" + } + ], + "raw_rows": [ + [ + "Friendly Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate Raider", + "1 - 5", + "41%" + ], + [ + "Immaculate Warlock", + "1 - 5", + "41%" + ], + [ + "Obsidian Elemental", + "1", + "28.6%" + ], + [ + "Obsidian Elemental (Caldera)", + "1", + "28.6%" + ], + [ + "Ghost (Red)", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Fire Varnish is a Consumable item in Outward, which grants an Imbue." + }, + { + "name": "Firefly Powder", + "url": "https://outward.fandom.com/wiki/Firefly_Powder", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "26", + "Object ID": "6000010", + "Sell": "8", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d3/Firefly_powder.png/revision/latest/scale-to-width-down/83?cb=20190420145221", + "recipes": [ + { + "result": "Assassin Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Raw Jewel Meat", + "Firefly Powder", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Firefly Powder" + }, + { + "result": "Blessed Potion", + "result_count": "3x", + "ingredients": [ + "Firefly Powder", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Firefly Powder" + }, + { + "result": "Bolt Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Firefly Powder", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Firefly Powder" + }, + { + "result": "Elemental Immunity Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Azure Shrimp", + "Firefly Powder", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Firefly Powder" + }, + { + "result": "Gold-Lich Claymore", + "result_count": "1x", + "ingredients": [ + "Iron Claymore", + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Firefly Powder" + }, + { + "result": "Gold-Lich Knuckles", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Iron Knuckles", + "Firefly Powder" + ], + "station": "None", + "source_page": "Firefly Powder" + }, + { + "result": "Gold-Lich Mace", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Iron Mace", + "Firefly Powder" + ], + "station": "None", + "source_page": "Firefly Powder" + }, + { + "result": "Gold-Lich Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Firefly Powder" + }, + { + "result": "Gold-Lich Spear", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Firefly Powder" + }, + { + "result": "Gold-Lich Sword", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Iron Sword", + "Firefly Powder" + ], + "station": "None", + "source_page": "Firefly Powder" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "result": "1x Assassin Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Firefly PowderWater", + "result": "3x Blessed Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineFirefly PowderMana Stone", + "result": "1x Bolt Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Thick OilAzure ShrimpFirefly PowderOccult Remains", + "result": "1x Elemental Immunity Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Iron ClaymoreGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "result": "1x Gold-Lich Claymore", + "station": "None" + }, + { + "ingredients": "Gold-Lich MechanismGold-Lich MechanismIron KnucklesFirefly Powder", + "result": "1x Gold-Lich Knuckles", + "station": "None" + }, + { + "ingredients": "Gold-Lich MechanismIron MaceFirefly Powder", + "result": "1x Gold-Lich Mace", + "station": "None" + }, + { + "ingredients": "Round ShieldGold-Lich MechanismFirefly Powder", + "result": "1x Gold-Lich Shield", + "station": "None" + }, + { + "ingredients": "Iron SpearGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "result": "1x Gold-Lich Spear", + "station": "None" + }, + { + "ingredients": "Gold-Lich MechanismIron SwordFirefly Powder", + "result": "1x Gold-Lich Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Assassin Elixir", + "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "Alchemy Kit" + ], + [ + "3x Blessed Potion", + "Firefly PowderWater", + "Alchemy Kit" + ], + [ + "1x Bolt Varnish", + "Gaberry WineFirefly PowderMana Stone", + "Alchemy Kit" + ], + [ + "1x Elemental Immunity Potion", + "Thick OilAzure ShrimpFirefly PowderOccult Remains", + "Alchemy Kit" + ], + [ + "1x Gold-Lich Claymore", + "Iron ClaymoreGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "None" + ], + [ + "1x Gold-Lich Knuckles", + "Gold-Lich MechanismGold-Lich MechanismIron KnucklesFirefly Powder", + "None" + ], + [ + "1x Gold-Lich Mace", + "Gold-Lich MechanismIron MaceFirefly Powder", + "None" + ], + [ + "1x Gold-Lich Shield", + "Round ShieldGold-Lich MechanismFirefly Powder", + "None" + ], + [ + "1x Gold-Lich Spear", + "Iron SpearGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "None" + ], + [ + "1x Gold-Lich Sword", + "Gold-Lich MechanismIron SwordFirefly Powder", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Firefly Plant" + } + ], + "raw_rows": [ + [ + "Firefly Plant", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "59.6%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "37.9%", + "locations": "New Sirocco", + "quantity": "1 - 6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "1 - 6", + "source": "Vay the Alchemist" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 18", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 18", + "source": "Fourth Watcher" + }, + { + "chance": "22.1%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "17.5%", + "locations": "Harmattan", + "quantity": "2 - 9", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "59.6%", + "Levant" + ], + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 6", + "37.9%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "1 - 6", + "33%", + "Berg" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 18", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 18", + "25.9%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "22.1%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 9", + "17.5%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "44.5%", + "quantity": "5", + "source": "Concealed Knight: ???" + } + ], + "raw_rows": [ + [ + "Concealed Knight: ???", + "5", + "44.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 4", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path", + "quantity": "1 - 4", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 4", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 4", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "14.8%", + "Ark of the Exiled, Forest Hives" + ], + [ + "Soldier's Corpse", + "1 - 4", + "14.8%", + "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "Firefly Powder is an item in Outward." + }, + { + "name": "Fishing Harpoon", + "url": "https://outward.fandom.com/wiki/Fishing_Harpoon", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Spears", + "Damage": "17", + "Durability": "150", + "Impact": "14", + "Object ID": "2130130", + "Sell": "6", + "Stamina Cost": "4", + "Type": "Two-Handed", + "Weight": "3.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Fishing Harpoon" + }, + { + "result": "Phytosaur Spear", + "result_count": "1x", + "ingredients": [ + "Phytosaur Horn", + "Fishing Harpoon", + "Miasmapod" + ], + "station": "None", + "source_page": "Fishing Harpoon" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4", + "damage": "17", + "description": "Two forward-thrusting stabs", + "impact": "14", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5", + "damage": "23.8", + "description": "Forward-lunging strike", + "impact": "16.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5", + "damage": "22.1", + "description": "Left-sweeping strike, jump back", + "impact": "16.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5", + "damage": "20.4", + "description": "Fast spinning strike from the right", + "impact": "15.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17", + "14", + "4", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "23.8", + "16.8", + "5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "22.1", + "16.8", + "5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.4", + "15.4", + "5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Phytosaur HornFishing HarpoonMiasmapod", + "result": "1x Phytosaur Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "1x Phytosaur Spear", + "Phytosaur HornFishing HarpoonMiasmapod", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Fishmonger Karl" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "1", + "100%", + "Harmattan" + ], + [ + "Fishmonger Karl", + "1", + "100%", + "Cierzo" + ], + [ + "Gold Belly", + "1", + "100%", + "Giants' Village" + ], + [ + "Patrick Arago, General Store", + "1", + "100%", + "New Sirocco" + ], + [ + "Shopkeeper Doran", + "2", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "1", + "100%", + "Hallowed Marsh" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 2", + "8.6%", + "Abrassar, Trog Infiltration" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Fishing Harpoon is a type of Spear, and an item required for Fishing." + }, + { + "name": "Flaming Arrow", + "url": "https://outward.fandom.com/wiki/Flaming_Arrow", + "categories": [ + "DLC: The Three Brothers", + "Arrow", + "Ammunition", + "Items" + ], + "infobox": { + "Buy": "3", + "Class": "Arrow", + "DLC": "The Three Brothers", + "Effects": "+5 Fire damageInflicts Burning", + "Object ID": "5200002", + "Sell": "1", + "Type": "Ammunition", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a6/Flaming_Arrow.png/revision/latest/scale-to-width-down/83?cb=20201220074901", + "effects": [ + "+5 Fire damage", + "Inflicts Burning (40% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Flaming Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Flaming Arrow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Arrowhead Kit Wood Thick Oil", + "result": "5x Flaming Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "5x Flaming Arrow", + "Arrowhead Kit Wood Thick Oil", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "15 - 30", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "15 - 30", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "3", + "source": "Adventurer's Corpse" + }, + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "2 - 9", + "source": "Supply Cache" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "3", + "19.9%", + "Caldera" + ], + [ + "Supply Cache", + "2 - 9", + "19.9%", + "Caldera" + ] + ] + } + ], + "description": "Flaming Arrow is an Item in Outward." + }, + { + "name": "Flaming Bomb", + "url": "https://outward.fandom.com/wiki/Flaming_Bomb", + "categories": [ + "DLC: The Three Brothers", + "Bomb", + "Items" + ], + "infobox": { + "Buy": "25", + "DLC": "The Three Brothers", + "Effects": "100 Fire damage and 60 ImpactInflicts Burning", + "Object ID": "4600080", + "Sell": "8", + "Type": "Bomb", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ee/Flaming_Bomb.png/revision/latest/scale-to-width-down/83?cb=20201220074903", + "effects": [ + "Explosion deals 100 Fire damage and 60 Impact", + "Inflicts Burning (100% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Flaming Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Boreo Blubber", + "Charge – Incendiary" + ], + "station": "Alchemy Kit", + "source_page": "Flaming Bomb" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb Kit Boreo Blubber Charge – Incendiary", + "result": "1x Flaming Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Flaming Bomb", + "Bomb Kit Boreo Blubber Charge – Incendiary", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6 - 8", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "6 - 8", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Flaming Bomb is an Item in Outward." + }, + { + "name": "Flash Moss", + "url": "https://outward.fandom.com/wiki/Flash_Moss", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6000390", + "Sell": "27", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c9/Flash_Moss.png/revision/latest/scale-to-width-down/83?cb=20201220074904", + "recipes": [ + { + "result": "Gilded Shiver of Tramontane", + "result_count": "1x", + "ingredients": [ + "Scarred Dagger", + "Diamond Dust", + "Flash Moss" + ], + "station": "None", + "source_page": "Flash Moss" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Scarred DaggerDiamond DustFlash Moss", + "result": "1x Gilded Shiver of Tramontane", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gilded Shiver of Tramontane", + "Scarred DaggerDiamond DustFlash Moss", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Blaze (25% buildup)", + "enchantment": "Inferno" + }, + { + "effects": "Requires Expanded Library upgradeShot creates an AoE Fire explosion, dealing 0.29x Weapon base damage as Fire damage-23% Physical Damage Bonus", + "enchantment": "Trauma" + } + ], + "raw_rows": [ + [ + "Inferno", + "Weapon inflicts Blaze (25% buildup)" + ], + [ + "Trauma", + "Requires Expanded Library upgradeShot creates an AoE Fire explosion, dealing 0.29x Weapon base damage as Fire damage-23% Physical Damage Bonus" + ] + ] + }, + { + "title": "Acquired From / Unidentified Sample Sources", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + } + ], + "description": "Flash Moss is an Item in Outward." + }, + { + "name": "Flat Prism", + "url": "https://outward.fandom.com/wiki/Flat_Prism", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "45", + "DLC": "The Three Brothers", + "Object ID": "6000520", + "Sell": "14", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5a/Flat_Prism.png/revision/latest/scale-to-width-down/83?cb=20201220074905", + "recipes": [ + { + "result": "Astral Axe", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Flat Prism" + }, + { + "result": "Astral Greataxe", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Flat Prism" + }, + { + "result": "Astral Shield", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Flat Prism" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Short HandleFlat PrismWaning Tentacle", + "result": "1x Astral Axe", + "station": "None" + }, + { + "ingredients": "Long HandleFlat PrismWaning Tentacle", + "result": "1x Astral Greataxe", + "station": "None" + }, + { + "ingredients": "Trinket HandleFlat PrismWaning Tentacle", + "result": "1x Astral Shield", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Axe", + "Short HandleFlat PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Greataxe", + "Long HandleFlat PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Shield", + "Trinket HandleFlat PrismWaning Tentacle", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "13.5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "13.5%", + "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Flat Prism is an Item in Outward." + }, + { + "name": "Flint and Steel", + "url": "https://outward.fandom.com/wiki/Flint_and_Steel", + "categories": [ + "Survival", + "Items" + ], + "infobox": { + "Buy": "3", + "Object ID": "5600010", + "Sell": "1", + "Type": "Survival", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7e/Flint_and_Steel.png/revision/latest/scale-to-width-down/83?cb=20190618221640", + "effects": [ + "Lights a Campfire" + ], + "tables": [ + { + "title": "Effects / Skill Combinations", + "headers": [ + "Combo Name", + "Combination", + "Effects", + "Prerequisite" + ], + "rows": [ + { + "combination": "Sigil of Fire \u003e Flint and Steel", + "combo_name": "Ring of Fire", + "effects": "Sets the Sigil ablaze for 25 secondsDeals 6 fire damage every 0.25 secondsInflicts Burning", + "prerequisite": "None" + } + ], + "raw_rows": [ + [ + "Ring of Fire", + "Sigil of Fire \u003e Flint and Steel", + "Sets the Sigil ablaze for 25 secondsDeals 6 fire damage every 0.25 secondsInflicts Burning", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1 - 3", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1 - 2", + "source": "Iron Sides" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 3", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1 - 3", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1 - 3", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1 - 3", + "source": "Silver-Nose the Trader" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1 - 2", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "1 - 3", + "100%", + "Giants' Village" + ], + [ + "Iron Sides", + "1 - 2", + "100%", + "Giants' Village" + ], + [ + "Patrick Arago, General Store", + "2 - 3", + "100%", + "New Sirocco" + ], + [ + "Shopkeeper Doran", + "1 - 3", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1 - 3", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1 - 3", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "1 - 3", + "100%", + "Hallowed Marsh" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1 - 2", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "17.1%", + "quantity": "1 - 2", + "source": "Animated Skeleton (Miner)" + } + ], + "raw_rows": [ + [ + "Animated Skeleton (Miner)", + "1 - 2", + "17.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "8.6%", + "locations": "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "8.6%", + "locations": "Blue Chamber's Conflux Path, Forest Hives", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 2", + "8.6%", + "Abrassar, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach" + ], + [ + "Junk Pile", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "8.6%", + "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco" + ], + [ + "Looter's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "8.6%", + "Blue Chamber's Conflux Path, Forest Hives" + ] + ] + } + ], + "description": "Flint and Steel is an item in Outward." + }, + { + "name": "Flintlock Pistol", + "url": "https://outward.fandom.com/wiki/Flintlock_Pistol", + "categories": [ + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "50", + "Class": "Pistols", + "Damage": "57", + "Durability": "200", + "Impact": "45", + "Object ID": "5110100", + "Sell": "15", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/da/Flintlock_Pistol.png/revision/latest?cb=20190406064614", + "recipes": [ + { + "result": "Bone Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Occult Remains", + "Occult Remains", + "Crystal Powder" + ], + "station": "None", + "source_page": "Flintlock Pistol" + }, + { + "result": "Chalcedony Pistol", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Palladium Scrap", + "Flintlock Pistol" + ], + "station": "None", + "source_page": "Flintlock Pistol" + }, + { + "result": "Galvanic Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Flintlock Pistol" + }, + { + "result": "Obsidian Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Obsidian Shard", + "Palladium Scrap", + "Crystal Powder" + ], + "station": "None", + "source_page": "Flintlock Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Flintlock PistolOccult RemainsOccult RemainsCrystal Powder", + "result": "1x Bone Pistol", + "station": "None" + }, + { + "ingredients": "ChalcedonyPalladium ScrapFlintlock Pistol", + "result": "1x Chalcedony Pistol", + "station": "None" + }, + { + "ingredients": "Flintlock PistolShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Pistol", + "station": "None" + }, + { + "ingredients": "Flintlock PistolObsidian ShardPalladium ScrapCrystal Powder", + "result": "1x Obsidian Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Bone Pistol", + "Flintlock PistolOccult RemainsOccult RemainsCrystal Powder", + "None" + ], + [ + "1x Chalcedony Pistol", + "ChalcedonyPalladium ScrapFlintlock Pistol", + "None" + ], + [ + "1x Galvanic Pistol", + "Flintlock PistolShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Obsidian Pistol", + "Flintlock PistolObsidian ShardPalladium ScrapCrystal Powder", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "58.7%", + "locations": "Berg", + "quantity": "1 - 6", + "source": "Shopkeeper Pleel" + }, + { + "chance": "26.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.2%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "22.6%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "1", + "100%", + "Levant" + ], + [ + "Lawrence Dakers, Hunter", + "1", + "100%", + "Harmattan" + ], + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Shopkeeper Pleel", + "1 - 6", + "58.7%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "26.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.2%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "22.6%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.6%", + "locations": "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.3%", + "locations": "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.3%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "5.6%", + "Captain's Cabin, Electric Lab, Hive Prison, Sand Rose Cave, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.6%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, The Slide, Undercity Passage" + ], + [ + "Chest", + "1", + "5.3%", + "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon" + ], + [ + "Hollowed Trunk", + "1", + "5.3%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.3%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Adventurer's Corpse", + "1", + "1.9%", + "Antique Plateau" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Flintlock Pistol is a Pistol in Outward. It uses Bullets as ammunition, and can be used by activating the Fire and Reload skill." + }, + { + "name": "Flour", + "url": "https://outward.fandom.com/wiki/Flour", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "10", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "4100690", + "Sell": "3", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e8/Flour.png/revision/latest/scale-to-width-down/83?cb=20200616185407", + "recipes": [ + { + "result": "Flour", + "result_count": "1x", + "ingredients": [ + "Wheat", + "Wheat" + ], + "station": "Cooking Pot", + "source_page": "Flour" + }, + { + "result": "Angel Food Cake", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Flour" + }, + { + "result": "Bread", + "result_count": "3x", + "ingredients": [ + "Flour", + "Clean Water", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Flour" + }, + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Flour" + }, + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Flour" + }, + { + "result": "Purpkin Pie", + "result_count": "3x", + "ingredients": [ + "Purpkin", + "Flour", + "Veaber's Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Flour" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Wheat Wheat", + "result": "1x Flour", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Flour", + "Wheat Wheat", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "FlourEggSugar", + "result": "3x Angel Food Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "FlourClean WaterSalt", + "result": "3x Bread", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's MeatSaltEggFlour", + "result": "1x Cipate", + "station": "Cooking Pot" + }, + { + "ingredients": "FlourEggSugarBoozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + }, + { + "ingredients": "PurpkinFlourVeaber's EggSugar", + "result": "3x Purpkin Pie", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Angel Food Cake", + "FlourEggSugar", + "Cooking Pot" + ], + [ + "3x Bread", + "FlourClean WaterSalt", + "Cooking Pot" + ], + [ + "1x Cipate", + "Boozu's MeatSaltEggFlour", + "Cooking Pot" + ], + [ + "3x Pouding Chomeur", + "FlourEggSugarBoozu's Milk", + "Cooking Pot" + ], + [ + "3x Purpkin Pie", + "PurpkinFlourVeaber's EggSugar", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "21.3%", + "locations": "Harmattan", + "quantity": "4", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Pelletier Baker, Chef", + "4", + "21.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "16.4%", + "quantity": "2 - 8", + "source": "Bonded Beastmaster" + }, + { + "chance": "16.4%", + "quantity": "2 - 8", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "2 - 8", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "2 - 8", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "2 - 8", + "source": "Wolfgang Captain" + }, + { + "chance": "16.4%", + "quantity": "2 - 8", + "source": "Wolfgang Mercenary" + }, + { + "chance": "16.4%", + "quantity": "2 - 8", + "source": "Wolfgang Veteran" + }, + { + "chance": "15.1%", + "quantity": "2 - 8", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "2 - 8", + "16.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "2 - 8", + "16.4%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "2 - 8", + "16.4%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "2 - 8", + "16.4%" + ], + [ + "Wolfgang Captain", + "2 - 8", + "16.4%" + ], + [ + "Wolfgang Mercenary", + "2 - 8", + "16.4%" + ], + [ + "Wolfgang Veteran", + "2 - 8", + "16.4%" + ], + [ + "Blood Sorcerer", + "2 - 8", + "15.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 3", + "source": "Looter's Corpse" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 3", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 3", + "source": "Soldier's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "5.6%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 3", + "5.6%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 3", + "5.6%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 3", + "5.6%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 3", + "5.6%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 3", + "5.6%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 3", + "5.6%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Flour is an Item in Outward." + }, + { + "name": "Flowering Corruption", + "url": "https://outward.fandom.com/wiki/Flowering_Corruption", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6600228", + "Sell": "60", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4a/Flowering_Corruption.png/revision/latest/scale-to-width-down/83?cb=20200620100225", + "recipes": [ + { + "result": "Cage Pistol", + "result_count": "1x", + "ingredients": [ + "Haunted Memory", + "Scourge's Tears", + "Flowering Corruption", + "Enchanted Mask" + ], + "station": "None", + "source_page": "Flowering Corruption" + }, + { + "result": "Caged Armor Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Calixa's Relic", + "Flowering Corruption" + ], + "station": "None", + "source_page": "Flowering Corruption" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Haunted MemoryScourge's TearsFlowering CorruptionEnchanted Mask", + "result": "1x Cage Pistol", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicCalixa's RelicFlowering Corruption", + "result": "1x Caged Armor Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cage Pistol", + "Haunted MemoryScourge's TearsFlowering CorruptionEnchanted Mask", + "None" + ], + [ + "1x Caged Armor Boots", + "Gep's GenerosityElatt's RelicCalixa's RelicFlowering Corruption", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Elite Boozu" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Immaculate's Bird" + } + ], + "raw_rows": [ + [ + "Elite Boozu", + "1", + "100%" + ], + [ + "Immaculate's Bird", + "1", + "100%" + ] + ] + } + ], + "description": "Flowering Corruption is an Item in Outward." + }, + { + "name": "Food Waste", + "url": "https://outward.fandom.com/wiki/Food_Waste", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "0", + "Effects": "Indigestion (80%)Poisoned (20%)", + "Hunger": "5%", + "Object ID": "4100000", + "Perish Time": "∞", + "Sell": "0", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2d/Food_Waste.png/revision/latest?cb=20190331193334", + "effects": [ + "Restores 5% Hunger", + "Player receives Indigestion (80% chance)", + "Player receives Poisoned (20% chance)" + ], + "effect_links": [ + "/wiki/Poisoned" + ], + "description": "Food Waste is a Food item in Outward." + }, + { + "name": "Forged Arrow", + "url": "https://outward.fandom.com/wiki/Forged_Arrow", + "categories": [ + "DLC: The Three Brothers", + "Arrow", + "Ammunition", + "Items" + ], + "infobox": { + "Buy": "15", + "Class": "Arrow", + "DLC": "The Three Brothers", + "Effects": "+15 Physical damage", + "Object ID": "5200008", + "Sell": "5", + "Type": "Ammunition", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/95/Forged_Arrow.png/revision/latest/scale-to-width-down/83?cb=20201220074906", + "effects": [ + "+15 Physical damage" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "15 - 30", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "15 - 30", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "4 - 7", + "source": "Thunderbolt Golem" + } + ], + "raw_rows": [ + [ + "Thunderbolt Golem", + "4 - 7", + "100%" + ] + ] + } + ], + "description": "Forged Arrow is an Item in Outward." + }, + { + "name": "Forged Glass Axe", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "1", + "Buy": "2000", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "42", + "Durability": "350", + "Impact": "29", + "Item Set": "Forged Glass Set", + "Object ID": "2010220", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/40/Forged_Glass_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220074908", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "42", + "description": "Two slashing strikes, right to left", + "impact": "29", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.72", + "damage": "54.6", + "description": "Fast, triple-attack strike", + "impact": "37.7", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "54.6", + "description": "Quick double strike", + "impact": "37.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "54.6", + "description": "Wide-sweeping double strike", + "impact": "37.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "42", + "29", + "5.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "54.6", + "37.7", + "6.72", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "54.6", + "37.7", + "6.72", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "54.6", + "37.7", + "6.72", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Axe is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Bow", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "2", + "Buy": "2500", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "42", + "Durability": "325", + "Impact": "20", + "Item Set": "Forged Glass Set", + "Object ID": "2200120", + "Sell": "750", + "Stamina Cost": "3.22", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c5/Forged_Glass_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220074909", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Bow is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Chakram", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Chakram", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "1", + "Buy": "2000", + "Class": "Chakrams", + "DLC": "The Three Brothers", + "Damage": "48", + "Durability": "350", + "Impact": "40", + "Item Set": "Forged Glass Set", + "Object ID": "5110105", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/99/Forged_Glass_Chakram.png/revision/latest/scale-to-width-down/83?cb=20201220074910", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Chakram is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Claymore", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "2", + "Buy": "2500", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "53", + "Durability": "375", + "Impact": "40", + "Item Set": "Forged Glass Set", + "Object ID": "2100240", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/28/Forged_Glass_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220074912", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "53", + "description": "Two slashing strikes, left to right", + "impact": "40", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10.01", + "damage": "79.5", + "description": "Overhead downward-thrusting strike", + "impact": "60", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "67.05", + "description": "Spinning strike from the right", + "impact": "44", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "67.05", + "description": "Spinning strike from the left", + "impact": "44", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "53", + "40", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "79.5", + "60", + "10.01", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "67.05", + "44", + "8.47", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "67.05", + "44", + "8.47", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Claymore is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Dagger", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Dagger", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "1", + "Buy": "2000", + "Class": "Daggers", + "DLC": "The Three Brothers", + "Damage": "43", + "Durability": "250", + "Impact": "30", + "Item Set": "Forged Glass Set", + "Object ID": "5110012", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/30/Forged_Glass_Dagger.png/revision/latest/scale-to-width-down/83?cb=20201220074913", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Dagger is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Greataxe", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "2", + "Buy": "2500", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "53", + "Durability": "400", + "Impact": "44", + "Item Set": "Forged Glass Set", + "Object ID": "2110200", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/65/Forged_Glass_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220074914", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "53", + "description": "Two slashing strikes, left to right", + "impact": "44", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "68.9", + "description": "Uppercut strike into right sweep strike", + "impact": "57.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "68.9", + "description": "Left-spinning double strike", + "impact": "57.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.4", + "damage": "68.9", + "description": "Right-spinning double strike", + "impact": "57.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "53", + "44", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "68.9", + "57.2", + "10.59", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "68.9", + "57.2", + "10.59", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "68.9", + "57.2", + "10.4", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Greataxe is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Greatmace", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Greatmace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "2", + "Buy": "2500", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "51", + "Durability": "450", + "Impact": "55", + "Item Set": "Forged Glass Set", + "Object ID": "2120220", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Forged_Glass_Greatmace.png/revision/latest/scale-to-width-down/83?cb=20201220074915", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "51", + "description": "Two slashing strikes, left to right", + "impact": "55", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "38.25", + "description": "Blunt strike with high impact", + "impact": "110", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "71.4", + "description": "Powerful overhead strike", + "impact": "77", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "71.4", + "description": "Forward-running uppercut strike", + "impact": "77", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "51", + "55", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "38.25", + "110", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "71.4", + "77", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "71.4", + "77", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Greatmace is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Halberd", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "2", + "Buy": "2500", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "48", + "Durability": "400", + "Impact": "41", + "Item Set": "Forged Glass Set", + "Object ID": "2150080", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/81/Forged_Glass_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220074917", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "48", + "description": "Two wide-sweeping strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "62.4", + "description": "Forward-thrusting strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "62.4", + "description": "Wide-sweeping strike from left", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "81.6", + "description": "Slow but powerful sweeping strike", + "impact": "69.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "48", + "41", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "62.4", + "53.3", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "62.4", + "53.3", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "81.6", + "69.7", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Halberd is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Knuckles", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "2", + "Buy": "2000", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "40", + "Durability": "325", + "Impact": "14", + "Item Set": "Forged Glass Set", + "Object ID": "2160170", + "Sell": "600", + "Stamina Cost": "2.8", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9c/Forged_Glass_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220074918", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.8", + "damage": "40", + "description": "Four fast punches, right to left", + "impact": "14", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.64", + "damage": "52", + "description": "Forward-lunging left hook", + "impact": "18.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "52", + "description": "Left dodging, left uppercut", + "impact": "18.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "52", + "description": "Right dodging, right spinning hammer strike", + "impact": "18.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "40", + "14", + "2.8", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "52", + "18.2", + "3.64", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "52", + "18.2", + "3.36", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "52", + "18.2", + "3.36", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ] + ] + } + ], + "description": "Forged Glass Knuckles is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Mace", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "1", + "Buy": "2000", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "48", + "Durability": "425", + "Impact": "45", + "Item Set": "Forged Glass Set", + "Object ID": "2020260", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/47/Forged_Glass_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220074919", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "48", + "description": "Two wide-sweeping strikes, right to left", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "62.4", + "description": "Slow, overhead strike with high impact", + "impact": "112.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "62.4", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "62.4", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "48", + "45", + "5.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "62.4", + "112.5", + "7.28", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "62.4", + "58.5", + "7.28", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "62.4", + "58.5", + "7.28", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Mace is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Pistol", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Pistol", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "1", + "Buy": "2000", + "Class": "Pistols", + "DLC": "The Three Brothers", + "Damage": "87", + "Durability": "200", + "Impact": "50", + "Item Set": "Forged Glass Set", + "Object ID": "5110240", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/21/Forged_Glass_Pistol.png/revision/latest/scale-to-width-down/83?cb=20201220074921", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Pistol is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Shield", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Shield", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "2", + "Buy": "2000", + "Class": "Shields", + "DLC": "The Three Brothers", + "Damage": "33", + "Durability": "260", + "Effects": "Sapped", + "Impact": "51", + "Impact Resist": "21%", + "Item Set": "Forged Glass Set", + "Object ID": "2300300", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Forged_Glass_Shield.png/revision/latest/scale-to-width-down/83?cb=20201220074922", + "effects": [ + "Inflicts Sapped (60% buildup)" + ], + "effect_links": [ + "/wiki/Sapped", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Shield is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Spear", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "2", + "Buy": "2500", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "52", + "Durability": "325", + "Impact": "24", + "Item Set": "Forged Glass Set", + "Object ID": "2130250", + "Sell": "750", + "Stamina Cost": "5.6", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/69/Forged_Glass_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220074923", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "52", + "description": "Two forward-thrusting stabs", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7", + "damage": "72.8", + "description": "Forward-lunging strike", + "impact": "28.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "67.6", + "description": "Left-sweeping strike, jump back", + "impact": "28.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "62.4", + "description": "Fast spinning strike from the right", + "impact": "26.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "52", + "24", + "5.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "72.8", + "28.8", + "7", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "67.6", + "28.8", + "7", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "62.4", + "26.4", + "7", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Spear is a type of Weapon in Outward." + }, + { + "name": "Forged Glass Sword", + "url": "https://outward.fandom.com/wiki/Forged_Glass_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Barrier": "1", + "Buy": "2000", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "40", + "Durability": "300", + "Impact": "30", + "Item Set": "Forged Glass Set", + "Object ID": "2000250", + "Sell": "600", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ef/Forged_Glass_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220074924", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.9", + "damage": "40", + "description": "Two slash attacks, left to right", + "impact": "30", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.88", + "damage": "59.8", + "description": "Forward-thrusting strike", + "impact": "39", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "50.6", + "description": "Heavy left-lunging strike", + "impact": "33", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "50.6", + "description": "Heavy right-lunging strike", + "impact": "33", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "40", + "30", + "4.9", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "59.8", + "39", + "5.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "50.6", + "33", + "5.39", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "50.6", + "33", + "5.39", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.3%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Ornate Chest", + "1", + "5%", + "Caldera, Myrmitaur's Haven, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Forged Glass Sword is a type of Weapon in Outward." + }, + { + "name": "Fossilized Greataxe", + "url": "https://outward.fandom.com/wiki/Fossilized_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "1000", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "27", + "Durability": "200", + "Impact": "45", + "Object ID": "2110260", + "Sell": "300", + "Stamina Cost": "7.15", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b2/Fossilized_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220074925", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.15", + "damage": "27", + "description": "Two slashing strikes, left to right", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.83", + "damage": "35.1", + "description": "Uppercut strike into right sweep strike", + "impact": "58.5", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.83", + "damage": "35.1", + "description": "Left-spinning double strike", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.65", + "damage": "35.1", + "description": "Right-spinning double strike", + "impact": "58.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "27", + "45", + "7.15", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "35.1", + "58.5", + "9.83", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "35.1", + "58.5", + "9.83", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "35.1", + "58.5", + "9.65", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Calygrey Hero" + } + ], + "raw_rows": [ + [ + "Calygrey Hero", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Fossilized Greataxe is a type of Weapon in Outward." + }, + { + "name": "Foundry Assembly Line Key", + "url": "https://outward.fandom.com/wiki/Foundry_Assembly_Line_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600100", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/ce/Foundry_Assembly_Line_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155329", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Rusty Sword Golem" + } + ], + "raw_rows": [ + [ + "Rusty Sword Golem", + "1", + "100%" + ] + ] + } + ], + "description": "Foundry Assembly Line Key is an Item in Outward." + }, + { + "name": "Fragment Bomb", + "url": "https://outward.fandom.com/wiki/Fragment_Bomb", + "categories": [ + "DLC: The Three Brothers", + "Bomb", + "Items" + ], + "infobox": { + "Buy": "15", + "DLC": "The Three Brothers", + "Effects": "100 Physical damage and 80 ImpactInflicts Bleeding", + "Object ID": "4600020", + "Sell": "5", + "Type": "Bomb", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fb/Fragment_Bomb.png/revision/latest/scale-to-width-down/83?cb=20201220074927", + "effects": [ + "Explosion deals 100 Physical damage and 80 Impact", + "Inflicts Bleeding (100% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Fragment Bomb", + "result_count": "1x", + "ingredients": [ + "Sulphuric Mushroom", + "Iron Scrap", + "Iron Scrap" + ], + "station": "Alchemy Kit", + "source_page": "Fragment Bomb" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Sulphuric Mushroom Iron Scrap Iron Scrap", + "result": "1x Fragment Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Fragment Bomb", + "Sulphuric Mushroom Iron Scrap Iron Scrap", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6 - 8", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "6 - 8", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "1 - 6", + "source": "Supply Cache" + }, + { + "chance": "1.9%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 6", + "19.9%", + "Caldera" + ], + [ + "Supply Cache", + "1 - 6", + "19.9%", + "Caldera" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.9%", + "New Sirocco" + ] + ] + } + ], + "description": "Fragment Bomb is an Item in Outward." + }, + { + "name": "Fresh Cream", + "url": "https://outward.fandom.com/wiki/Fresh_Cream", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "DLC": "The Soroboreans", + "Effects": "Health Recovery 2Stamina Recovery 3Corruption Resistance 1", + "Hunger": "7.5%", + "Object ID": "4100700", + "Perish Time": "6 Days", + "Sell": "3", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c5/Fresh_Cream.png/revision/latest/scale-to-width-down/83?cb=20200616185409", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Health Recovery (level 2)", + "Player receives Stamina Recovery (level 3)", + "Player receives Corruption Resistance (level 1)" + ], + "recipes": [ + { + "result": "Fresh Cream", + "result_count": "3x", + "ingredients": [ + "Boozu's Milk", + "Boozu's Milk", + "Boozu's Milk", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Fresh Cream" + }, + { + "result": "Bagatelle", + "result_count": "3x", + "ingredients": [ + "Crawlberry Jam", + "Crawlberry Jam", + "Sugar", + "Fresh Cream" + ], + "station": "Cooking Pot", + "source_page": "Fresh Cream" + }, + { + "result": "Cheese Cake", + "result_count": "3x", + "ingredients": [ + "Fresh Cream", + "Fresh Cream", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Fresh Cream" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Boozu's Milk Boozu's Milk Boozu's Milk Boozu's Milk", + "result": "3x Fresh Cream", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Fresh Cream", + "Boozu's Milk Boozu's Milk Boozu's Milk Boozu's Milk", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Crawlberry JamCrawlberry JamSugarFresh Cream", + "result": "3x Bagatelle", + "station": "Cooking Pot" + }, + { + "ingredients": "Fresh CreamFresh CreamEggSugar", + "result": "3x Cheese Cake", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Bagatelle", + "Crawlberry JamCrawlberry JamSugarFresh Cream", + "Cooking Pot" + ], + [ + "3x Cheese Cake", + "Fresh CreamFresh CreamEggSugar", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 6", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "35.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "21.3%", + "locations": "Harmattan", + "quantity": "4", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "3 - 6", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "3", + "35.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pelletier Baker, Chef", + "4", + "21.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Bonded Beastmaster" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Wolfgang Captain" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Wolfgang Mercenary" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Wolfgang Veteran" + }, + { + "chance": "15.1%", + "quantity": "1 - 6", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "1 - 6", + "16.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 6", + "16.4%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 6", + "16.4%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 6", + "16.4%" + ], + [ + "Wolfgang Captain", + "1 - 6", + "16.4%" + ], + [ + "Wolfgang Mercenary", + "1 - 6", + "16.4%" + ], + [ + "Wolfgang Veteran", + "1 - 6", + "16.4%" + ], + [ + "Blood Sorcerer", + "1 - 6", + "15.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.6%", + "locations": "Harmattan", + "quantity": "1 - 6", + "source": "Stash" + } + ], + "raw_rows": [ + [ + "Stash", + "1 - 6", + "36.6%", + "Harmattan" + ] + ] + } + ], + "description": "Fresh Cream is an Item in Outward." + }, + { + "name": "Frost Bomb", + "url": "https://outward.fandom.com/wiki/Frost_Bomb", + "categories": [ + "DLC: The Three Brothers", + "Bomb", + "Items" + ], + "infobox": { + "Buy": "25", + "DLC": "The Three Brothers", + "Effects": "100 Frost damage and 65 ImpactInflicts Slow Down", + "Object ID": "4600030", + "Sell": "8", + "Type": "Bomb", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b7/Frost_Bomb.png/revision/latest/scale-to-width-down/83?cb=20201220074928", + "effects": [ + "Explosion deals 100 Frost damage and 65 Impact", + "Inflicts Slow Down (100% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Frost Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Chalcedony", + "Sulphuric Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Frost Bomb" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb Kit Chalcedony Sulphuric Mushroom", + "result": "1x Frost Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Frost Bomb", + "Bomb Kit Chalcedony Sulphuric Mushroom", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6 - 8", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "6 - 8", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Frost Bomb is an Item in Outward." + }, + { + "name": "Frostburn Staff", + "url": "https://outward.fandom.com/wiki/Frostburn_Staff", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "375", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "40", + "Damage Bonus": "20% 20%", + "Durability": "250", + "Impact": "40", + "Mana Cost": "-15%", + "Object ID": "2150150", + "Sell": "113", + "Stamina Cost": "6.875", + "Type": "Staff", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e6/Frostburn_Staff.png/revision/latest/scale-to-width-down/83?cb=20201223084700", + "recipes": [ + { + "result": "Frostburn Staff", + "result_count": "1x", + "ingredients": [ + "Leyline Figment", + "Scarlet Whisper", + "Noble's Greed", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Frostburn Staff" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "40", + "description": "Two wide-sweeping strikes, left to right", + "impact": "40", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.59", + "damage": "52", + "description": "Forward-thrusting strike", + "impact": "52", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.59", + "damage": "52", + "description": "Wide-sweeping strike from left", + "impact": "52", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.03", + "damage": "68", + "description": "Slow but powerful sweeping strike", + "impact": "68", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "40", + "40", + "6.875", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "52", + "52", + "8.59", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "52", + "52", + "8.59", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "68", + "68", + "12.03", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Leyline Figment Scarlet Whisper Noble's Greed Calygrey's Wisdom", + "result": "1x Frostburn Staff", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Frostburn Staff", + "Leyline Figment Scarlet Whisper Noble's Greed Calygrey's Wisdom", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Frostburn Staff is a type of Weapon in Outward." + }, + { + "name": "Frosted Crescent", + "url": "https://outward.fandom.com/wiki/Frosted_Crescent", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "10", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 1Hot Weather Defense", + "Hunger": "15%", + "Object ID": "4100870", + "Perish Time": "11 Days, 21 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/22/Frosted_Crescent.png/revision/latest/scale-to-width-down/83?cb=20201220074929", + "effects": [ + "Restores 15% Hunger", + "Player receives Stamina Recovery (level 1)", + "Player receives Hot Weather Defense" + ], + "recipes": [ + { + "result": "Frosted Crescent", + "result_count": "1x", + "ingredients": [ + "Golden Crescent", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Frosted Crescent" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Frosted Crescent" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Frosted Crescent" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Frosted Crescent" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Frosted Crescent" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Frosted Crescent" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Golden Crescent Frosted Powder", + "result": "1x Frosted Crescent", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Frosted Crescent", + "Golden Crescent Frosted Powder", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Frosted Crescent is an Item in Outward." + }, + { + "name": "Frosted Delight", + "url": "https://outward.fandom.com/wiki/Frosted_Delight", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "20", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 3Barrier (Effect) 2Hot Weather Defense", + "Hunger": "25%", + "Object ID": "4100920", + "Perish Time": "11 Days, 21 Hours", + "Sell": "6", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b4/Frosted_Delight.png/revision/latest/scale-to-width-down/83?cb=20201220074930", + "effects": [ + "Restores 25% Hunger", + "Player receives Stamina Recovery (level 3)", + "Player receives Barrier (Effect) (level 2)", + "Player receives Hot Weather Defense" + ], + "effect_links": [ + "/wiki/Barrier_(Effect)" + ], + "recipes": [ + { + "result": "Frosted Delight", + "result_count": "3x", + "ingredients": [ + "Golden Crescent", + "Cool Rainbow Jam", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Frosted Delight" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Frosted Delight" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Frosted Delight" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Golden Crescent Cool Rainbow Jam Frosted Powder", + "result": "3x Frosted Delight", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Frosted Delight", + "Golden Crescent Cool Rainbow Jam Frosted Powder", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Frosted Delight is an Item in Outward." + }, + { + "name": "Frosted Maize", + "url": "https://outward.fandom.com/wiki/Frosted_Maize", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "10", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 2Hot Weather Defense", + "Hunger": "15%", + "Object ID": "4100880", + "Perish Time": "11 Days, 21 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e6/Frosted_Maize.png/revision/latest/scale-to-width-down/83?cb=20201220074932", + "effects": [ + "Restores 15% Hunger", + "Player receives Stamina Recovery (level 2)", + "Player receives Hot Weather Defense" + ], + "recipes": [ + { + "result": "Frosted Maize", + "result_count": "1x", + "ingredients": [ + "Maize", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Frosted Maize" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Frosted Maize" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Frosted Maize" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Frosted Maize" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Frosted Maize" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Frosted Maize" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Maize Frosted Powder", + "result": "1x Frosted Maize", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Frosted Maize", + "Maize Frosted Powder", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.8%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 4", + "source": "Silver Tooth" + }, + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 4", + "43.8%", + "Silkworm's Refuge" + ], + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Frosted Maize is an Item in Outward." + }, + { + "name": "Frosted Powder", + "url": "https://outward.fandom.com/wiki/Frosted_Powder", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "15", + "DLC": "The Three Brothers", + "Object ID": "4300440", + "Sell": "5", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4e/Frosted_Powder.png/revision/latest/scale-to-width-down/83?cb=20201220074933", + "recipes": [ + { + "result": "Frosted Powder", + "result_count": "3x", + "ingredients": [ + "Funnel Beetle", + "Funnel Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Frosted Powder" + }, + { + "result": "Cool Rainbow Jam", + "result_count": "1x", + "ingredients": [ + "Rainbow Peach", + "Rainbow Peach", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Frosted Powder" + }, + { + "result": "Frosted Crescent", + "result_count": "1x", + "ingredients": [ + "Golden Crescent", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Frosted Powder" + }, + { + "result": "Frosted Delight", + "result_count": "3x", + "ingredients": [ + "Golden Crescent", + "Cool Rainbow Jam", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Frosted Powder" + }, + { + "result": "Frosted Maize", + "result_count": "1x", + "ingredients": [ + "Maize", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Frosted Powder" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Funnel Beetle Funnel Beetle", + "result": "3x Frosted Powder", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Frosted Powder", + "Funnel Beetle Funnel Beetle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Rainbow PeachRainbow PeachFrosted Powder", + "result": "1x Cool Rainbow Jam", + "station": "Cooking Pot" + }, + { + "ingredients": "Golden CrescentFrosted Powder", + "result": "1x Frosted Crescent", + "station": "Cooking Pot" + }, + { + "ingredients": "Golden CrescentCool Rainbow JamFrosted Powder", + "result": "3x Frosted Delight", + "station": "Cooking Pot" + }, + { + "ingredients": "MaizeFrosted Powder", + "result": "1x Frosted Maize", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Cool Rainbow Jam", + "Rainbow PeachRainbow PeachFrosted Powder", + "Cooking Pot" + ], + [ + "1x Frosted Crescent", + "Golden CrescentFrosted Powder", + "Cooking Pot" + ], + [ + "3x Frosted Delight", + "Golden CrescentCool Rainbow JamFrosted Powder", + "Cooking Pot" + ], + [ + "1x Frosted Maize", + "MaizeFrosted Powder", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 3", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 40", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 30", + "source": "Laine the Alchemist" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "1 - 12", + "source": "Vay the Alchemist" + }, + { + "chance": "17.5%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "13.7%", + "locations": "Hermit's House", + "quantity": "1 - 12", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "13.7%", + "locations": "Conflux Chambers", + "quantity": "1 - 12", + "source": "Fourth Watcher" + }, + { + "chance": "11.5%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Helmi the Alchemist" + }, + { + "chance": "5.9%", + "locations": "Levant", + "quantity": "1 - 6", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2 - 3", + "100%", + "New Sirocco" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 40", + "50.8%", + "New Sirocco" + ], + [ + "Laine the Alchemist", + "1 - 30", + "49.9%", + "Monsoon" + ], + [ + "Vay the Alchemist", + "1 - 12", + "33%", + "Berg" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "17.5%", + "Harmattan" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 12", + "13.7%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 12", + "13.7%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1 - 6", + "11.5%", + "Cierzo" + ], + [ + "Tuan the Alchemist", + "1 - 6", + "5.9%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Glacial Tuanosaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Quartz Beetle" + } + ], + "raw_rows": [ + [ + "Glacial Tuanosaur", + "2 - 3", + "100%" + ], + [ + "Quartz Beetle", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.3%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "14.3%", + "locations": "Oil Refinery, The Eldest Brother", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "14.3%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "14.3%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.3%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "14.3%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "14.3%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "14.3%", + "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone" + ], + [ + "Corpse", + "1", + "14.3%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "14.3%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "14.3%", + "Oil Refinery, The Eldest Brother" + ], + [ + "Knight's Corpse", + "1", + "14.3%", + "Steam Bath Tunnels" + ], + [ + "Ornate Chest", + "1", + "14.3%", + "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony" + ], + [ + "Scavenger's Corpse", + "1", + "14.3%", + "Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "14.3%", + "Old Sirocco" + ] + ] + } + ], + "description": "Frosted Powder is an Item in Outward." + }, + { + "name": "Frozen Chakram", + "url": "https://outward.fandom.com/wiki/Frozen_Chakram", + "categories": [ + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Chakrams", + "Damage": "22.5 22.5", + "Durability": "500", + "Effects": "Elemental Vulnerability", + "Impact": "44", + "Object ID": "5110060", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3d/Frozen_Chakram.png/revision/latest?cb=20190406073359", + "effects": [ + "Inflicts Elemental Vulnerability (40% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "30%", + "locations": "Abrassar", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "30%", + "locations": "Caldera", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "30%", + "locations": "Chersonese", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "30%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "30%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1", + "30%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1", + "30%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1", + "30%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1", + "30%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1", + "30%", + "Hallowed Marsh" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Frozen Chakram is a Chakram in Outward. Inflicts Elemental Vulnerability." + }, + { + "name": "Fungal Cleanser", + "url": "https://outward.fandom.com/wiki/Fungal_Cleanser", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Removes PoisonRemoves all Diseases", + "Hunger": "17.5%", + "Object ID": "4100510", + "Perish Time": "29 Days 18 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4d/Fungal_Cleanser.png/revision/latest/scale-to-width-down/83?cb=20190410133601", + "effects": [ + "Restores 17.5% Hunger", + "Removes Poison effects", + "Removes all Diseases" + ], + "recipes": [ + { + "result": "Fungal Cleanser", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Mushroom", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Fungal Cleanser" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Fungal Cleanser" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Fungal Cleanser" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Woolshroom Mushroom Ochre Spice Beetle", + "result": "3x Fungal Cleanser", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Fungal Cleanser", + "Woolshroom Mushroom Ochre Spice Beetle", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Chef Iasu" + } + ], + "raw_rows": [ + [ + "Chef Iasu", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "18.2%", + "locations": "Old Hunter's Cabin", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "18.2%", + "locations": "Berg", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "18.2%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "18.2%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "18.2%", + "locations": "Cabal of Wind Temple, Face of the Ancients", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "18.2%", + "Old Hunter's Cabin" + ], + [ + "Junk Pile", + "1", + "18.2%", + "Berg" + ], + [ + "Knight's Corpse", + "1", + "18.2%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Stash", + "1", + "18.2%", + "Berg" + ], + [ + "Worker's Corpse", + "1", + "18.2%", + "Cabal of Wind Temple, Face of the Ancients" + ], + [ + "Junk Pile", + "1 - 4", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 4", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Fungal Cleanser is a dish in Outward." + }, + { + "name": "Funnel Beetle", + "url": "https://outward.fandom.com/wiki/Funnel_Beetle", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Three Brothers", + "Effects": "Chill", + "Hunger": "5%", + "Object ID": "4000460", + "Perish Time": "29 Days, 18 Hours", + "Sell": "5", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/56/Funnel_Beetle.png/revision/latest/scale-to-width-down/83?cb=20201220074934", + "effects": [ + "Restores 5% Hunger", + "Player receives Chill" + ], + "effect_links": [ + "/wiki/Chill" + ], + "recipes": [ + { + "result": "Frosted Powder", + "result_count": "3x", + "ingredients": [ + "Funnel Beetle", + "Funnel Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Funnel Beetle" + }, + { + "result": "Iced Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Funnel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Funnel Beetle" + }, + { + "result": "Mana Belly Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Pypherfish", + "Funnel Beetle", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Funnel Beetle" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Funnel BeetleFunnel Beetle", + "result": "3x Frosted Powder", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterFunnel Beetle", + "result": "1x Iced Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterPypherfishFunnel BeetleHexa Stone", + "result": "1x Mana Belly Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Frosted Powder", + "Funnel BeetleFunnel Beetle", + "Alchemy Kit" + ], + [ + "1x Iced Tea", + "WaterFunnel Beetle", + "Cooking Pot" + ], + [ + "1x Mana Belly Potion", + "WaterPypherfishFunnel BeetleHexa Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "18.2%", + "quantity": "1", + "source": "Rainbow Peach (Gatherable)" + }, + { + "chance": "9.1%", + "quantity": "1", + "source": "Ableroot (Gatherable)" + }, + { + "chance": "9.1%", + "quantity": "1", + "source": "Ambraine (Gatherable)" + }, + { + "chance": "9.1%", + "quantity": "1", + "source": "Golden Crescent (Gatherable)" + }, + { + "chance": "9.1%", + "quantity": "1", + "source": "Maize (Gatherable)" + } + ], + "raw_rows": [ + [ + "Rainbow Peach (Gatherable)", + "1", + "18.2%" + ], + [ + "Ableroot (Gatherable)", + "1", + "9.1%" + ], + [ + "Ambraine (Gatherable)", + "1", + "9.1%" + ], + [ + "Golden Crescent (Gatherable)", + "1", + "9.1%" + ], + [ + "Maize (Gatherable)", + "1", + "9.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "2 - 24", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2 - 24", + "43.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Gastrocin" + }, + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Quartz Gastrocin" + }, + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Volcanic Gastrocin" + } + ], + "raw_rows": [ + [ + "Gastrocin", + "1 - 4", + "41.4%" + ], + [ + "Quartz Gastrocin", + "1 - 4", + "41.4%" + ], + [ + "Volcanic Gastrocin", + "1 - 4", + "41.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.3%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "14.3%", + "locations": "Oil Refinery, The Eldest Brother", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "14.3%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "14.3%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.3%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "14.3%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "14.3%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "14.3%", + "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone" + ], + [ + "Corpse", + "1", + "14.3%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "14.3%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "14.3%", + "Oil Refinery, The Eldest Brother" + ], + [ + "Knight's Corpse", + "1", + "14.3%", + "Steam Bath Tunnels" + ], + [ + "Ornate Chest", + "1", + "14.3%", + "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony" + ], + [ + "Scavenger's Corpse", + "1", + "14.3%", + "Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "14.3%", + "Old Sirocco" + ] + ] + } + ], + "description": "Funnel Beetle is an Item in Outward." + }, + { + "name": "Fur Armor", + "url": "https://outward.fandom.com/wiki/Fur_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "225", + "Cold Weather Def.": "20", + "Damage Resist": "12% 20%", + "Durability": "180", + "Impact Resist": "9%", + "Item Set": "Fur Set", + "Object ID": "3000240", + "Sell": "74", + "Slot": "Chest", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cc/Fur_Armor.png/revision/latest?cb=20190415115400", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance", + "enchantment": "Inner Warmth" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Warmth", + "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Shopkeeper Doran" + }, + { + "chance": "37.6%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Shopkeeper Doran" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "1", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Doran", + "1 - 5", + "37.6%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3.2%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "3.2%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3.2%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3.2%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3.2%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "3.2%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3.2%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "3.2%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "3.2%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "3.2%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "3.2%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "3.2%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "3.2%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "3.2%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "3.2%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "3.2%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Fur Armor is a type of Armor in Outward." + }, + { + "name": "Fur Boots", + "url": "https://outward.fandom.com/wiki/Fur_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "100", + "Cold Weather Def.": "10", + "Damage Resist": "6% 10%", + "Durability": "180", + "Impact Resist": "6%", + "Item Set": "Fur Set", + "Object ID": "3000242", + "Sell": "33", + "Slot": "Legs", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/63/Fur_Boots.png/revision/latest?cb=20190415153247", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance", + "enchantment": "Inner Warmth" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Inner Warmth", + "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Shopkeeper Doran" + }, + { + "chance": "37.6%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Shopkeeper Doran" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "1", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Doran", + "1 - 5", + "37.6%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3.2%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "3.2%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3.2%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3.2%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3.2%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "3.2%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3.2%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "3.2%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "3.2%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "3.2%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "3.2%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "3.2%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "3.2%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "3.2%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "3.2%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "3.2%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Fur Boots is a type of Armor in Outward." + }, + { + "name": "Fur Helm", + "url": "https://outward.fandom.com/wiki/Fur_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "100", + "Cold Weather Def.": "10", + "Damage Resist": "6% 10%", + "Durability": "180", + "Impact Resist": "5%", + "Item Set": "Fur Set", + "Object ID": "3000241", + "Sell": "30", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/81/Fur_Helm.png/revision/latest?cb=20190407064207", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance", + "enchantment": "Inner Warmth" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Warmth", + "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Shopkeeper Doran" + }, + { + "chance": "37.6%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Shopkeeper Doran" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "1", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Doran", + "1 - 5", + "37.6%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3.2%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "3.2%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3.2%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3.2%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3.2%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "3.2%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3.2%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "3.2%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "3.2%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "3.2%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "3.2%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "3.2%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "3.2%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "3.2%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "3.2%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "3.2%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Fur Helm is a type of Armor in Outward." + }, + { + "name": "Fur Set", + "url": "https://outward.fandom.com/wiki/Fur_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "425", + "Cold Weather Def.": "40", + "Damage Resist": "24% 40%", + "Durability": "540", + "Impact Resist": "20%", + "Object ID": "3000240 (Chest)3000242 (Legs)3000241 (Head)", + "Sell": "137", + "Slot": "Set", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b3/Fur_set.png/revision/latest/scale-to-width-down/195?cb=20190423175442", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "9%", + "column_5": "20", + "durability": "180", + "name": "Fur Armor", + "resistances": "12% 20%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "6%", + "column_5": "10", + "durability": "180", + "name": "Fur Boots", + "resistances": "6% 10%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "5%", + "column_5": "10", + "durability": "180", + "name": "Fur Helm", + "resistances": "6% 10%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Fur Armor", + "12% 20%", + "9%", + "20", + "180", + "8.0", + "Body Armor" + ], + [ + "", + "Fur Boots", + "6% 10%", + "6%", + "10", + "180", + "4.0", + "Boots" + ], + [ + "", + "Fur Helm", + "6% 10%", + "5%", + "10", + "180", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "9%", + "column_5": "20", + "durability": "180", + "name": "Fur Armor", + "resistances": "12% 20%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "6%", + "column_5": "10", + "durability": "180", + "name": "Fur Boots", + "resistances": "6% 10%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "5%", + "column_5": "10", + "durability": "180", + "name": "Fur Helm", + "resistances": "6% 10%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Fur Armor", + "12% 20%", + "9%", + "20", + "180", + "8.0", + "Body Armor" + ], + [ + "", + "Fur Boots", + "6% 10%", + "6%", + "10", + "180", + "4.0", + "Boots" + ], + [ + "", + "Fur Helm", + "6% 10%", + "5%", + "10", + "180", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Fur Set is a Set in Outward." + }, + { + "name": "Fur Tent", + "url": "https://outward.fandom.com/wiki/Fur_Tent", + "categories": [ + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "65", + "Class": "Deployable", + "Duration": "2400 seconds (40 minutes)", + "Effects": "+10 Cold Weather Def-15% Stamina costs", + "Object ID": "5000040", + "Sell": "20", + "Type": "Sleep", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/31/Fur_Tent.png/revision/latest?cb=20190417105945", + "effects": [ + "+10 Cold Weather Def", + "-15% Stamina costs" + ], + "recipes": [ + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Fur Tent" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Fur Tent" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Fur Tent" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Fur Tent" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Fur Tent" + } + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "+10 Cold Weather Def-15% Stamina costs", + "name": "Sleep: Fur Tent" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Fur Tent", + "2400 seconds (40 minutes)", + "+10 Cold Weather Def-15% Stamina costs" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Shopkeeper Doran" + }, + { + "chance": "48.8%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "Shopkeeper Doran", + "1", + "100%", + "Cierzo" + ], + [ + "David Parks, Craftsman", + "1 - 3", + "48.8%", + "Harmattan" + ] + ] + } + ], + "description": "Fur Tent is a type of tent in Outward, used for Resting." + }, + { + "name": "Gaberries", + "url": "https://outward.fandom.com/wiki/Gaberries", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "–", + "Effects": "Stamina Recovery 1", + "Hunger": "7.5%", + "Object ID": "4000010", + "Perish Time": "6 Days", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c3/Gaberries.png/revision/latest?cb=20190410130401", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Stamina Recovery (level 1)" + ], + "recipes": [ + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Mantis Granite", + "Gaberries" + ], + "station": "Alchemy Kit", + "source_page": "Gaberries" + }, + { + "result": "Boiled Gaberries", + "result_count": "1x", + "ingredients": [ + "Gaberries" + ], + "station": "Campfire", + "source_page": "Gaberries" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Gaberries" + }, + { + "result": "Gaberry Jam", + "result_count": "1x", + "ingredients": [ + "Gaberries", + "Gaberries", + "Gaberries", + "Gaberries" + ], + "station": "Cooking Pot", + "source_page": "Gaberries" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Gaberries" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Gaberries" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mantis GraniteGaberries", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberries", + "result": "1x Boiled Gaberries", + "station": "Campfire" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "GaberriesGaberriesGaberriesGaberries", + "result": "1x Gaberry Jam", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Astral Potion", + "Mantis GraniteGaberries", + "Alchemy Kit" + ], + [ + "1x Boiled Gaberries", + "Gaberries", + "Campfire" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "1x Gaberry Jam", + "GaberriesGaberriesGaberriesGaberries", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Gaberries (Gatherable)" + } + ], + "raw_rows": [ + [ + "Gaberries (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "1 - 5", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "29.8%", + "quantity": "2 - 9", + "source": "Phytosaur" + } + ], + "raw_rows": [ + [ + "Phytosaur", + "2 - 9", + "29.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "2 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "2 - 3", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "2 - 3", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "2 - 3", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "2 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "2 - 3", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "2 - 3", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "2 - 3", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "2 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "2 - 3", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "2 - 3", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "2 - 3", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "2 - 3", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "2 - 3", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "2 - 3", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "2 - 3", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "2 - 3", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "2 - 3", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ] + ] + } + ], + "description": "Gaberries is one of the items in the game Outward and is a type of Vegetable." + }, + { + "name": "Gaberry Jam", + "url": "https://outward.fandom.com/wiki/Gaberry_Jam", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Stamina Recovery 2Cold Weather Def Up", + "Hunger": "15%", + "Object ID": "4100030", + "Perish Time": "29 Days 18 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/93/Gaberry_Jam.png/revision/latest?cb=20190411150721", + "effects": [ + "Restores 15% Hunger", + "Player receives Cold Weather Def Up", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Gaberry Jam", + "result_count": "1x", + "ingredients": [ + "Gaberries", + "Gaberries", + "Gaberries", + "Gaberries" + ], + "station": "Cooking Pot", + "source_page": "Gaberry Jam" + }, + { + "result": "Gaberry Tartine", + "result_count": "3x", + "ingredients": [ + "Bread", + "Gaberry Jam" + ], + "station": "Cooking Pot", + "source_page": "Gaberry Jam" + }, + { + "result": "Marshmelon Jelly", + "result_count": "1x", + "ingredients": [ + "Marshmelon", + "Marshmelon", + "Marshmelon", + "Gaberry Jam" + ], + "station": "Cooking Pot", + "source_page": "Gaberry Jam" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Gaberry Jam" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Gaberry Jam" + }, + { + "result": "Vagabond's Gelatin", + "result_count": "1x", + "ingredients": [ + "Cool Rainbow Jam", + "Golden Jam", + "Gaberry Jam", + "Marshmelon Jelly" + ], + "station": "Cooking Pot", + "source_page": "Gaberry Jam" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberries Gaberries Gaberries Gaberries", + "result": "1x Gaberry Jam", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Gaberry Jam", + "Gaberries Gaberries Gaberries Gaberries", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "BreadGaberry Jam", + "result": "3x Gaberry Tartine", + "station": "Cooking Pot" + }, + { + "ingredients": "MarshmelonMarshmelonMarshmelonGaberry Jam", + "result": "1x Marshmelon Jelly", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + }, + { + "ingredients": "Cool Rainbow JamGolden JamGaberry JamMarshmelon Jelly", + "result": "1x Vagabond's Gelatin", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Gaberry Tartine", + "BreadGaberry Jam", + "Cooking Pot" + ], + [ + "1x Marshmelon Jelly", + "MarshmelonMarshmelonMarshmelonGaberry Jam", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ], + [ + "1x Vagabond's Gelatin", + "Cool Rainbow JamGolden JamGaberry JamMarshmelon Jelly", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "7", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "6 - 8", + "source": "Chef Tenno" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "7", + "source": "Master-Chef Arago" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "5", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "1 - 3", + "100%", + "New Sirocco" + ], + [ + "Chef Iasu", + "7", + "100%", + "Berg" + ], + [ + "Chef Tenno", + "6 - 8", + "100%", + "Levant" + ], + [ + "Ibolya Battleborn, Chef", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Master-Chef Arago", + "7", + "100%", + "Cierzo" + ], + [ + "Ountz the Melon Farmer", + "5", + "100%", + "Monsoon" + ], + [ + "Pelletier Baker, Chef", + "2 - 4", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Gaberry Jam is a food item in Outward." + }, + { + "name": "Gaberry Tartine", + "url": "https://outward.fandom.com/wiki/Gaberry_Tartine", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "0", + "Effects": "Stamina Recovery 2Cold Weather Def Up", + "Hunger": "12.5%", + "Object ID": "4100310", + "Perish Time": "19 Days 20 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/42/Gaberry_Tartine.png/revision/latest/scale-to-width-down/83?cb=20190411150749", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Cold Weather Def Up", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Gaberry Tartine", + "result_count": "3x", + "ingredients": [ + "Bread", + "Gaberry Jam" + ], + "station": "Cooking Pot", + "source_page": "Gaberry Tartine" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Gaberry Tartine" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Gaberry Tartine" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bread Gaberry Jam", + "result": "3x Gaberry Tartine", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Gaberry Tartine", + "Bread Gaberry Jam", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipes / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "22%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "22%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + } + ], + "raw_rows": [ + [ + "Bandit Captain", + "1 - 4", + "22%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "22%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Gaberry Tartine is a food item in Outward." + }, + { + "name": "Gaberry Wine", + "url": "https://outward.fandom.com/wiki/Gaberry_Wine", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "Drink": "5%", + "Effects": "Gaberry Wine (effect)", + "Object ID": "4100590", + "Perish Time": "∞", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/02/Gaberry_Wine.png/revision/latest?cb=20190410140754", + "effects": [ + "Restores 5% Drink", + "Player receives Gaberry Wine (effect)", + "-20% Mana Cost", + "+15% Physical Resistance", + "-15% Impact Resistance" + ], + "effect_links": [ + "/wiki/Gaberry_Wine_(effect)" + ], + "recipes": [ + { + "result": "Bolt Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Firefly Powder", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Gaberry Wine" + }, + { + "result": "Dark Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Occult Remains", + "Mana Stone", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Gaberry Wine" + }, + { + "result": "Fire Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Seared Root", + "Fire Stone" + ], + "station": "Alchemy Kit", + "source_page": "Gaberry Wine" + }, + { + "result": "Ice Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Livweedi", + "Cold Stone" + ], + "station": "Alchemy Kit", + "source_page": "Gaberry Wine" + }, + { + "result": "Illuminating Potion", + "result_count": "1x", + "ingredients": [ + "Leyline Water", + "Nightmare Mushroom", + "Gaberry Wine", + "Liquid Corruption" + ], + "station": "Alchemy Kit", + "source_page": "Gaberry Wine" + }, + { + "result": "Poison Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Occult Remains", + "Miasmapod", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Gaberry Wine" + }, + { + "result": "Spiritual Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Ghost's Eye", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Gaberry Wine" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "300 seconds", + "effects": "-20% Mana Cost+15% Physical Resistance-15% Impact Resistance", + "name": "Gaberry Wine" + } + ], + "raw_rows": [ + [ + "", + "Gaberry Wine", + "300 seconds", + "-20% Mana Cost+15% Physical Resistance-15% Impact Resistance" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberry WineFirefly PowderMana Stone", + "result": "1x Bolt Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineOccult RemainsMana StoneGrilled Crabeye Seed", + "result": "1x Dark Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineSeared RootFire Stone", + "result": "1x Fire Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineLivweediCold Stone", + "result": "1x Ice Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Leyline WaterNightmare MushroomGaberry WineLiquid Corruption", + "result": "1x Illuminating Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineOccult RemainsMiasmapodGrilled Crabeye Seed", + "result": "1x Poison Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineGhost's EyeMana Stone", + "result": "1x Spiritual Varnish", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Bolt Varnish", + "Gaberry WineFirefly PowderMana Stone", + "Alchemy Kit" + ], + [ + "1x Dark Varnish", + "Gaberry WineOccult RemainsMana StoneGrilled Crabeye Seed", + "Alchemy Kit" + ], + [ + "1x Fire Varnish", + "Gaberry WineSeared RootFire Stone", + "Alchemy Kit" + ], + [ + "1x Ice Varnish", + "Gaberry WineLivweediCold Stone", + "Alchemy Kit" + ], + [ + "1x Illuminating Potion", + "Leyline WaterNightmare MushroomGaberry WineLiquid Corruption", + "Alchemy Kit" + ], + [ + "1x Poison Varnish", + "Gaberry WineOccult RemainsMiasmapodGrilled Crabeye Seed", + "Alchemy Kit" + ], + [ + "1x Spiritual Varnish", + "Gaberry WineGhost's EyeMana Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "4", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "4", + "source": "Chef Tenno" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3 - 4", + "source": "Master-Chef Arago" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "4", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "37.9%", + "locations": "New Sirocco", + "quantity": "1 - 18", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "35.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "1 - 18", + "source": "Vay the Alchemist" + }, + { + "chance": "31.7%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "28.4%", + "locations": "Berg", + "quantity": "1 - 12", + "source": "Shopkeeper Pleel" + } + ], + "raw_rows": [ + [ + "Chef Iasu", + "4", + "100%", + "Berg" + ], + [ + "Chef Tenno", + "4", + "100%", + "Levant" + ], + [ + "Master-Chef Arago", + "3 - 4", + "100%", + "Cierzo" + ], + [ + "Ountz the Melon Farmer", + "4", + "100%", + "Monsoon" + ], + [ + "Pelletier Baker, Chef", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 18", + "37.9%", + "New Sirocco" + ], + [ + "Felix Jimson, Shopkeeper", + "2", + "35.3%", + "Harmattan" + ], + [ + "Vay the Alchemist", + "1 - 18", + "33%", + "Berg" + ], + [ + "Ryan Sullivan, Arcanist", + "2 - 20", + "31.7%", + "Harmattan" + ], + [ + "Shopkeeper Pleel", + "1 - 12", + "28.4%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "5", + "source": "Luke the Pearlescent" + }, + { + "chance": "22%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "22%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + } + ], + "raw_rows": [ + [ + "Luke the Pearlescent", + "5", + "100%" + ], + [ + "Bandit Captain", + "1 - 4", + "22%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "22%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 6", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 6", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 6", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 6", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 6", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 6", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path", + "quantity": "1 - 6", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 6", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 6", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 6", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 6", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 6", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 6", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 6", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 6", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 6", + "14.8%", + "Ark of the Exiled, Forest Hives" + ], + [ + "Soldier's Corpse", + "1 - 6", + "14.8%", + "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "Gaberry Wine is a type of drink in Outward. Upon drinking, it grants the Gabbery Wine status effect." + }, + { + "name": "Galvanic Axe", + "url": "https://outward.fandom.com/wiki/Galvanic_Axe", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "34", + "Durability": "275", + "Effects": "Pain", + "Impact": "26", + "Item Set": "Galvanic Set", + "Object ID": "2010150", + "Sell": "270", + "Stamina Cost": "5.4", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/42/Galvanic_Axe.png/revision/latest/scale-to-width-down/83?cb=20200616185410", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Axe", + "result_count": "1x", + "ingredients": [ + "Iron Axe", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Galvanic Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "34", + "description": "Two slashing strikes, right to left", + "impact": "26", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.48", + "damage": "44.2", + "description": "Fast, triple-attack strike", + "impact": "33.8", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.48", + "damage": "44.2", + "description": "Quick double strike", + "impact": "33.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.48", + "damage": "44.2", + "description": "Wide-sweeping double strike", + "impact": "33.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34", + "26", + "5.4", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "44.2", + "33.8", + "6.48", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "44.2", + "33.8", + "6.48", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "44.2", + "33.8", + "6.48", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Axe Shield Golem Scraps Crystal Powder Palladium Scrap", + "result": "1x Galvanic Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Axe", + "Iron Axe Shield Golem Scraps Crystal Powder Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Galvanic Axe is a type of Weapon in Outward." + }, + { + "name": "Galvanic Bow", + "url": "https://outward.fandom.com/wiki/Galvanic_Bow", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Bows", + "DLC": "The Soroboreans", + "Damage": "37", + "Durability": "250", + "Effects": "Pain", + "Impact": "20", + "Item Set": "Galvanic Set", + "Object ID": "2200060", + "Sell": "338", + "Stamina Cost": "3.105", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f3/Galvanic_Bow.png/revision/latest/scale-to-width-down/83?cb=20200616185411", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Bow", + "result_count": "1x", + "ingredients": [ + "Simple Bow", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Galvanic Bow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Simple Bow Shield Golem Scraps Crystal Powder Palladium Scrap", + "result": "1x Galvanic Bow", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Bow", + "Simple Bow Shield Golem Scraps Crystal Powder Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Galvanic Bow is a type of Weapon in Outward." + }, + { + "name": "Galvanic Chakram", + "url": "https://outward.fandom.com/wiki/Galvanic_Chakram", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Chakrams", + "DLC": "The Soroboreans", + "Damage": "35", + "Durability": "350", + "Effects": "Pain", + "Impact": "41", + "Item Set": "Galvanic Set", + "Object ID": "5110092", + "Sell": "270", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7f/Galvanic_Chakram.png/revision/latest/scale-to-width-down/83?cb=20200616185413", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Titanic Guardian Mk-7" + } + ], + "raw_rows": [ + [ + "Titanic Guardian Mk-7", + "1", + "100%" + ] + ] + } + ], + "description": "Galvanic Chakram is a type of Weapon in Outward." + }, + { + "name": "Galvanic Dagger", + "url": "https://outward.fandom.com/wiki/Galvanic_Dagger", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Daggers", + "DLC": "The Soroboreans", + "Damage": "33", + "Durability": "200", + "Effects": "Pain", + "Impact": "41", + "Item Set": "Galvanic Set", + "Object ID": "5110008", + "Sell": "270", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e6/Galvanic_Dagger.png/revision/latest/scale-to-width-down/83?cb=20200616185415", + "effects": [ + "Inflicts Pain (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Dagger", + "result_count": "1x", + "ingredients": [ + "Shiv Dagger", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Galvanic Dagger" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shiv Dagger Shield Golem Scraps Crystal Powder Palladium Scrap", + "result": "1x Galvanic Dagger", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Dagger", + "Shiv Dagger Shield Golem Scraps Crystal Powder Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + } + ], + "description": "Galvanic Dagger is a type of Weapon in Outward." + }, + { + "name": "Galvanic Fists", + "url": "https://outward.fandom.com/wiki/Galvanic_Fists", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "30", + "Durability": "350", + "Effects": "Pain", + "Impact": "18", + "Item Set": "Galvanic Set", + "Object ID": "2160040", + "Sell": "270", + "Stamina Cost": "2.7", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b8/Galvanic_Fists.png/revision/latest/scale-to-width-down/83?cb=20200616185416", + "effects": [ + "Inflicts Pain (22.5% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Fists", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Shield Golem Scraps", + "Palladium Wristband", + "Palladium Wristband" + ], + "station": "None", + "source_page": "Galvanic Fists" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.7", + "damage": "30", + "description": "Four fast punches, right to left", + "impact": "18", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.51", + "damage": "39", + "description": "Forward-lunging left hook", + "impact": "23.4", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.24", + "damage": "39", + "description": "Left dodging, left uppercut", + "impact": "23.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.24", + "damage": "39", + "description": "Right dodging, right spinning hammer strike", + "impact": "23.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30", + "18", + "2.7", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "39", + "23.4", + "3.51", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "39", + "23.4", + "3.24", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "39", + "23.4", + "3.24", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Beast Golem Scraps Shield Golem Scraps Palladium Wristband Palladium Wristband", + "result": "1x Galvanic Fists", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Fists", + "Beast Golem Scraps Shield Golem Scraps Palladium Wristband Palladium Wristband", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Galvanic Fists is a type of Weapon in Outward." + }, + { + "name": "Galvanic Greataxe", + "url": "https://outward.fandom.com/wiki/Galvanic_Greataxe", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "47", + "Durability": "325", + "Effects": "Pain", + "Impact": "41", + "Item Set": "Galvanic Set", + "Object ID": "2110140", + "Sell": "338", + "Stamina Cost": "7.425", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/05/Galvanic_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20200616185418", + "effects": [ + "Inflicts Pain (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Greataxe", + "result_count": "1x", + "ingredients": [ + "Iron Greataxe", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Galvanic Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.425", + "damage": "47", + "description": "Two slashing strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.21", + "damage": "61.1", + "description": "Uppercut strike into right sweep strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.21", + "damage": "61.1", + "description": "Left-spinning double strike", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.02", + "damage": "61.1", + "description": "Right-spinning double strike", + "impact": "53.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "47", + "41", + "7.425", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "61.1", + "53.3", + "10.21", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "61.1", + "53.3", + "10.21", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "61.1", + "53.3", + "10.02", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Greataxe Shield Golem Scraps Crystal Powder Palladium Scrap", + "result": "1x Galvanic Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Greataxe", + "Iron Greataxe Shield Golem Scraps Crystal Powder Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Galvanic Greataxe is a type of Weapon in Outward." + }, + { + "name": "Galvanic Greatmace", + "url": "https://outward.fandom.com/wiki/Galvanic_Greatmace", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "49", + "Durability": "375", + "Effects": "Pain", + "Impact": "51", + "Item Set": "Galvanic Set", + "Object ID": "2120170", + "Sell": "338", + "Stamina Cost": "7.425", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3d/Galvanic_Greatmace.png/revision/latest/scale-to-width-down/83?cb=20200616185420", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Greatmace", + "result_count": "1x", + "ingredients": [ + "Iron Greathammer", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Galvanic Greatmace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.425", + "damage": "49", + "description": "Two slashing strikes, left to right", + "impact": "51", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.91", + "damage": "36.75", + "description": "Blunt strike with high impact", + "impact": "102", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.91", + "damage": "68.6", + "description": "Powerful overhead strike", + "impact": "71.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.91", + "damage": "68.6", + "description": "Forward-running uppercut strike", + "impact": "71.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "49", + "51", + "7.425", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "36.75", + "102", + "8.91", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "68.6", + "71.4", + "8.91", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "68.6", + "71.4", + "8.91", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Greathammer Shield Golem Scraps Crystal Powder Palladium Scrap", + "result": "1x Galvanic Greatmace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Greatmace", + "Iron Greathammer Shield Golem Scraps Crystal Powder Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Galvanic Greatmace is a type of Weapon in Outward." + }, + { + "name": "Galvanic Halberd", + "url": "https://outward.fandom.com/wiki/Galvanic_Halberd", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Polearms", + "DLC": "The Soroboreans", + "Damage": "39", + "Durability": "325", + "Effects": "Pain", + "Impact": "44", + "Item Set": "Galvanic Set", + "Object ID": "2140150", + "Sell": "338", + "Stamina Cost": "6.75", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d5/Galvanic_Halberd.png/revision/latest/scale-to-width-down/83?cb=20200616185422", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Halberd", + "result_count": "1x", + "ingredients": [ + "Iron Halberd", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Galvanic Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.75", + "damage": "39", + "description": "Two wide-sweeping strikes, left to right", + "impact": "44", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.44", + "damage": "50.7", + "description": "Forward-thrusting strike", + "impact": "57.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.44", + "damage": "50.7", + "description": "Wide-sweeping strike from left", + "impact": "57.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.81", + "damage": "66.3", + "description": "Slow but powerful sweeping strike", + "impact": "74.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "39", + "44", + "6.75", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "50.7", + "57.2", + "8.44", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "50.7", + "57.2", + "8.44", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "66.3", + "74.8", + "11.81", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Halberd Shield Golem Scraps Crystal Powder Palladium Scrap", + "result": "1x Galvanic Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Halberd", + "Iron Halberd Shield Golem Scraps Crystal Powder Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Galvanic Halberd is a type of Weapon in Outward." + }, + { + "name": "Galvanic Mace", + "url": "https://outward.fandom.com/wiki/Galvanic_Mace", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "39", + "Durability": "350", + "Effects": "Pain", + "Impact": "41", + "Item Set": "Galvanic Set", + "Object ID": "2020200", + "Sell": "270", + "Stamina Cost": "5.4", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/57/Galvanic_Mace.png/revision/latest/scale-to-width-down/83?cb=20200616185424", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Mace", + "result_count": "1x", + "ingredients": [ + "Iron Mace", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Galvanic Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "39", + "description": "Two wide-sweeping strikes, right to left", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.02", + "damage": "50.7", + "description": "Slow, overhead strike with high impact", + "impact": "102.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.02", + "damage": "50.7", + "description": "Fast, forward-thrusting strike", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.02", + "damage": "50.7", + "description": "Fast, forward-thrusting strike", + "impact": "53.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "39", + "41", + "5.4", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "50.7", + "102.5", + "7.02", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "50.7", + "53.3", + "7.02", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "50.7", + "53.3", + "7.02", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Mace Shield Golem Scraps Crystal Powder Palladium Scrap", + "result": "1x Galvanic Mace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Mace", + "Iron Mace Shield Golem Scraps Crystal Powder Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Galvanic Mace is a type of Weapon in Outward." + }, + { + "name": "Galvanic Pistol", + "url": "https://outward.fandom.com/wiki/Galvanic_Pistol", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Pistols", + "DLC": "The Soroboreans", + "Damage": "81", + "Durability": "200", + "Effects": "Pain", + "Impact": "65", + "Item Set": "Galvanic Set", + "Object ID": "5110180", + "Sell": "270", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b1/Galvanic_Pistol.png/revision/latest/scale-to-width-down/83?cb=20200616185425", + "effects": [ + "Inflicts Pain (90% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Galvanic Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Flintlock Pistol Shield Golem Scraps Crystal Powder Palladium Scrap", + "result": "1x Galvanic Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Pistol", + "Flintlock Pistol Shield Golem Scraps Crystal Powder Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + } + ], + "description": "Galvanic Pistol is a type of Weapon in Outward." + }, + { + "name": "Galvanic Shield", + "url": "https://outward.fandom.com/wiki/Galvanic_Shield", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Shields", + "DLC": "The Soroboreans", + "Damage": "38", + "Durability": "275", + "Effects": "Pain", + "Impact": "56", + "Impact Resist": "18%", + "Item Set": "Galvanic Set", + "Object ID": "2300230", + "Sell": "270", + "Type": "Off-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/78/Galvanic_Shield.png/revision/latest/scale-to-width-down/83?cb=20200616185426", + "effects": [ + "Inflicts Pain (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Galvanic Shield" + } + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Round Shield Shield Golem Scraps Crystal Powder Palladium Scrap", + "result": "1x Galvanic Shield", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Shield", + "Round Shield Shield Golem Scraps Crystal Powder Palladium Scrap", + "None" + ] + ] + } + ], + "description": "Galvanic Shield is a type of Weapon in Outward." + }, + { + "name": "Galvanic Spear", + "url": "https://outward.fandom.com/wiki/Galvanic_Spear", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Spears", + "DLC": "The Soroboreans", + "Damage": "42", + "Durability": "250", + "Effects": "Pain", + "Impact": "28", + "Item Set": "Galvanic Set", + "Object ID": "2130190", + "Sell": "338", + "Stamina Cost": "5.4", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6e/Galvanic_Spear.png/revision/latest/scale-to-width-down/83?cb=20200616185428", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Galvanic Spear", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Galvanic Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "42", + "description": "Two forward-thrusting stabs", + "impact": "28", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.75", + "damage": "58.8", + "description": "Forward-lunging strike", + "impact": "33.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.75", + "damage": "54.6", + "description": "Left-sweeping strike, jump back", + "impact": "33.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.75", + "damage": "50.4", + "description": "Fast spinning strike from the right", + "impact": "30.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "42", + "28", + "5.4", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "58.8", + "33.6", + "6.75", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "54.6", + "33.6", + "6.75", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "50.4", + "30.8", + "6.75", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Spear Shield Golem Scraps Crystal Powder Palladium Scrap", + "result": "1x Galvanic Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Spear", + "Iron Spear Shield Golem Scraps Crystal Powder Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Galvanic Spear is a type of Weapon in Outward." + }, + { + "name": "Gar'Ga'Nak", + "url": "https://outward.fandom.com/wiki/Gar%27Ga%27Nak", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Damage Bonus": "35% 35% 35%", + "Damage Resist": "-40% -40%", + "Durability": "∞", + "Impact Resist": "0%", + "Mana Cost": "-35%", + "Object ID": "3900005", + "Sell": "6", + "Slot": "Head", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6d/Gar%27Ga%27Nak.png/revision/latest/scale-to-width-down/83?cb=20220519141705", + "recipes": [ + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Gar'Ga'Nak" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Armor Sulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gar'Ga'Nak", + "Basic Armor Sulphuric Mushroom", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Gar'Ga'Nak is a type of Equipment in Outward, which can only be used by Troglodyte players." + }, + { + "name": "Gargargar!", + "url": "https://outward.fandom.com/wiki/Gargargar!", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Damage Bonus": "60%", + "Damage Resist": "33%", + "Durability": "∞", + "Effects": "25% Impact bonus", + "Impact Resist": "33%", + "Object ID": "3900002", + "Pouch Bonus": "10", + "Sell": "6", + "Slot": "Head", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/86/Gargargar%21.png/revision/latest/scale-to-width-down/83?cb=20210110081140", + "effects": [ + "25% Impact bonus" + ], + "recipes": [ + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Gargargar!" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Armor Woolshroom", + "result": "1x Gargargar!", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gargargar!", + "Basic Armor Woolshroom", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Gargargar! is a type of Equipment in Outward, which can only be used by Troglodyte players." + }, + { + "name": "Gargoyle Urn Shard", + "url": "https://outward.fandom.com/wiki/Gargoyle_Urn_Shard", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "300", + "DLC": "The Three Brothers", + "Object ID": "6000320", + "Sell": "90", + "Type": "Ingredient", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d9/Gargoyle_Urn_Shard.png/revision/latest/scale-to-width-down/83?cb=20201220074935", + "recipes": [ + { + "result": "Slayer's Armor", + "result_count": "1x", + "ingredients": [ + "Myrm Tongue", + "Gargoyle Urn Shard", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Gargoyle Urn Shard" + }, + { + "result": "Slayer's Boots", + "result_count": "1x", + "ingredients": [ + "Gargoyle Urn Shard", + "Calygrey Hairs", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Gargoyle Urn Shard" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Myrm TongueGargoyle Urn ShardPalladium ScrapPalladium Scrap", + "result": "1x Slayer's Armor", + "station": "None" + }, + { + "ingredients": "Gargoyle Urn ShardCalygrey HairsPalladium Scrap", + "result": "1x Slayer's Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Slayer's Armor", + "Myrm TongueGargoyle Urn ShardPalladium ScrapPalladium Scrap", + "None" + ], + [ + "1x Slayer's Boots", + "Gargoyle Urn ShardCalygrey HairsPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Cracked Gargoyle" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Gargoyle" + } + ], + "raw_rows": [ + [ + "Cracked Gargoyle", + "1", + "100%" + ], + [ + "Gargoyle", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Gargoyle Urn Shard is an Item in Outward." + }, + { + "name": "Gemstone Key A", + "url": "https://outward.fandom.com/wiki/Gemstone_Key_A", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600090", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/59/Gemstone_Key_A.png/revision/latest/scale-to-width-down/83?cb=20200621155333", + "description": "Gemstone Key A is an Item in Outward." + }, + { + "name": "Gemstone Key B", + "url": "https://outward.fandom.com/wiki/Gemstone_Key_B", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600091", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/99/Gemstone_Key_B.png/revision/latest/scale-to-width-down/83?cb=20200621155332", + "description": "Gemstone Key B is an Item in Outward." + }, + { + "name": "Gemstone Key C", + "url": "https://outward.fandom.com/wiki/Gemstone_Key_C", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600092", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a4/Gemstone_Key_C.png/revision/latest/scale-to-width-down/83?cb=20200621155331", + "description": "Gemstone Key C is an Item in Outward." + }, + { + "name": "Gemstone Key D", + "url": "https://outward.fandom.com/wiki/Gemstone_Key_D", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600093", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/35/Gemstone_Key_D.png/revision/latest/scale-to-width-down/83?cb=20200621155330", + "description": "Gemstone Key D is an Item in Outward." + }, + { + "name": "Gep's Blade", + "url": "https://outward.fandom.com/wiki/Gep%27s_Blade", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "3000", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "22", + "Durability": "300", + "Effects": "AoE Ethereal blast on hit", + "Impact": "25", + "Object ID": "2000310", + "Sell": "900", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/72/Gep%27s_Blade.png/revision/latest/scale-to-width-down/83?cb=20201220074937", + "effects": [ + "Each hit creates an AoE explosion of Ethereal damage, which deals 22 damage.", + "Reduces Ethereal resistance by -30%" + ], + "recipes": [ + { + "result": "Gep's Blade", + "result_count": "1x", + "ingredients": [ + "Mysterious Blade", + "Gep's Drink", + "Gep's Drink", + "Gep's Drink" + ], + "station": "None", + "source_page": "Gep's Blade" + }, + { + "result": "Gep's Blade", + "result_count": "1x", + "ingredients": [ + "Gep's Longblade", + "Gep's Generosity" + ], + "station": "None", + "source_page": "Gep's Blade" + }, + { + "result": "Gep's Longblade", + "result_count": "1x", + "ingredients": [ + "Gep's Blade", + "Gep's Generosity" + ], + "station": "None", + "source_page": "Gep's Blade" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.9", + "damage": "22", + "description": "Two slash attacks, left to right", + "impact": "25", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.88", + "damage": "32.89", + "description": "Forward-thrusting strike", + "impact": "32.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "27.83", + "description": "Heavy left-lunging strike", + "impact": "27.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "27.83", + "description": "Heavy right-lunging strike", + "impact": "27.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "22", + "25", + "4.9", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "32.89", + "32.5", + "5.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "27.83", + "27.5", + "5.39", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.83", + "27.5", + "5.39", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mysterious Blade Gep's Drink Gep's Drink Gep's Drink", + "result": "1x Gep's Blade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gep's Blade", + "Mysterious Blade Gep's Drink Gep's Drink Gep's Drink", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Longblade Gep's Generosity", + "result": "1x Gep's Blade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gep's Blade", + "Gep's Longblade Gep's Generosity", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's BladeGep's Generosity", + "result": "1x Gep's Longblade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gep's Longblade", + "Gep's BladeGep's Generosity", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Gep's Blade is a Unique type of Weapon in Outward." + }, + { + "name": "Gep's Drink", + "url": "https://outward.fandom.com/wiki/Gep%27s_Drink", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "0", + "Effects": "Restores 30 HealthRestores 60 StaminaRestores 25% Mana", + "Object ID": "4300040", + "Perish Time": "∞", + "Sell": "0", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/da/Gep%27s_Drink.png/revision/latest/scale-to-width-down/83?cb=20190415211304", + "effects": [ + "Restores 30 Health", + "Restores 60 Stamina", + "Restores 25% of max Mana" + ], + "recipes": [ + { + "result": "Gep's Blade", + "result_count": "1x", + "ingredients": [ + "Mysterious Blade", + "Gep's Drink", + "Gep's Drink", + "Gep's Drink" + ], + "station": "None", + "source_page": "Gep's Drink" + }, + { + "result": "Gep's Longblade", + "result_count": "1x", + "ingredients": [ + "Mysterious Long Blade", + "Gep's Drink", + "Gep's Drink", + "Gep's Drink" + ], + "station": "None", + "source_page": "Gep's Drink" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.9%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.9%", + "New Sirocco" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mysterious BladeGep's DrinkGep's DrinkGep's Drink", + "result": "1x Gep's Blade", + "station": "None" + }, + { + "ingredients": "Mysterious Long BladeGep's DrinkGep's DrinkGep's Drink", + "result": "1x Gep's Longblade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gep's Blade", + "Mysterious BladeGep's DrinkGep's DrinkGep's Drink", + "None" + ], + [ + "1x Gep's Longblade", + "Mysterious Long BladeGep's DrinkGep's DrinkGep's Drink", + "None" + ] + ] + } + ], + "description": "Gep's Drink is a potion in Outward, received from Gep's defeat scenario." + }, + { + "name": "Gep's Generosity", + "url": "https://outward.fandom.com/wiki/Gep%27s_Generosity", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Object ID": "6600220", + "Sell": "60", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d5/Gep%E2%80%99s_Generosity.png/revision/latest/scale-to-width-down/83?cb=20190629155232", + "recipes": [ + { + "result": "Caged Armor Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Calixa's Relic", + "Flowering Corruption" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Caged Armor Chestplate", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Vendavel's Hospitality", + "Metalized Bones" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Challenger Greathammer", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Haunted Memory", + "Calixa's Relic" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Gep's Blade", + "result_count": "1x", + "ingredients": [ + "Gep's Longblade", + "Gep's Generosity" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Gep's Longblade", + "result_count": "1x", + "ingredients": [ + "Gep's Blade", + "Gep's Generosity" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Griigmerk kÄramerk", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Scourge's Tears", + "Haunted Memory", + "Calixa's Relic" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Kelvin's Greataxe", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Scourge's Tears", + "Leyline Figment" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Krypteia Mask", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Haunted Memory", + "Gep's Generosity", + "Scarlet Whisper" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Mace of Seasons", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Elatt's Relic", + "Leyline Figment" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Pilgrim Helmet", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Elatt's Relic", + "Haunted Memory" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Shock Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Calixa's Relic", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Shock Helmet", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Scourge's Tears", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Squire Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Haunted Memory", + "Leyline Figment" + ], + "station": "None", + "source_page": "Gep's Generosity" + }, + { + "result": "Squire Headband", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Scourge's Tears", + "Haunted Memory" + ], + "station": "None", + "source_page": "Gep's Generosity" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's GenerosityElatt's RelicCalixa's RelicFlowering Corruption", + "result": "1x Caged Armor Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageVendavel's HospitalityMetalized Bones", + "result": "1x Caged Armor Chestplate", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageHaunted MemoryCalixa's Relic", + "result": "1x Challenger Greathammer", + "station": "None" + }, + { + "ingredients": "Gep's LongbladeGep's Generosity", + "result": "1x Gep's Blade", + "station": "None" + }, + { + "ingredients": "Gep's BladeGep's Generosity", + "result": "1x Gep's Longblade", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityScourge's TearsHaunted MemoryCalixa's Relic", + "result": "1x Griigmerk kÄramerk", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicScourge's TearsLeyline Figment", + "result": "1x Kelvin's Greataxe", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageHaunted MemoryGep's GenerosityScarlet Whisper", + "result": "1x Krypteia Mask", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageElatt's RelicLeyline Figment", + "result": "1x Mace of Seasons", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageElatt's RelicHaunted Memory", + "result": "1x Pilgrim Helmet", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityCalixa's RelicLeyline FigmentVendavel's Hospitality", + "result": "1x Shock Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityScourge's TearsLeyline FigmentVendavel's Hospitality", + "result": "1x Shock Helmet", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicHaunted MemoryLeyline Figment", + "result": "1x Squire Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicScourge's TearsHaunted Memory", + "result": "1x Squire Headband", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Caged Armor Boots", + "Gep's GenerosityElatt's RelicCalixa's RelicFlowering Corruption", + "None" + ], + [ + "1x Caged Armor Chestplate", + "Gep's GenerosityPearlbird's CourageVendavel's HospitalityMetalized Bones", + "None" + ], + [ + "1x Challenger Greathammer", + "Gep's GenerosityPearlbird's CourageHaunted MemoryCalixa's Relic", + "None" + ], + [ + "1x Gep's Blade", + "Gep's LongbladeGep's Generosity", + "None" + ], + [ + "1x Gep's Longblade", + "Gep's BladeGep's Generosity", + "None" + ], + [ + "1x Griigmerk kÄramerk", + "Gep's GenerosityScourge's TearsHaunted MemoryCalixa's Relic", + "None" + ], + [ + "1x Kelvin's Greataxe", + "Gep's GenerosityElatt's RelicScourge's TearsLeyline Figment", + "None" + ], + [ + "1x Krypteia Mask", + "Pearlbird's CourageHaunted MemoryGep's GenerosityScarlet Whisper", + "None" + ], + [ + "1x Mace of Seasons", + "Gep's GenerosityPearlbird's CourageElatt's RelicLeyline Figment", + "None" + ], + [ + "1x Pilgrim Helmet", + "Gep's GenerosityPearlbird's CourageElatt's RelicHaunted Memory", + "None" + ], + [ + "1x Shock Boots", + "Gep's GenerosityCalixa's RelicLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Shock Helmet", + "Gep's GenerosityScourge's TearsLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Squire Boots", + "Gep's GenerosityElatt's RelicHaunted MemoryLeyline Figment", + "None" + ], + [ + "1x Squire Headband", + "Gep's GenerosityElatt's RelicScourge's TearsHaunted Memory", + "None" + ] + ] + } + ], + "description": "Gep's Generosity is an item in Outward." + }, + { + "name": "Gep's Longblade", + "url": "https://outward.fandom.com/wiki/Gep%27s_Longblade", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "3000", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "25", + "Durability": "300", + "Effects": "AoE Ethereal blast on hit", + "Impact": "34", + "Object ID": "2100305", + "Sell": "900", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/93/Gep%27s_Longblade.png/revision/latest/scale-to-width-down/83?cb=20201220074938", + "effects": [ + "Each hit creates an AoE explosion of Ethereal damage, which deals 25 damage.", + "Reduces Ethereal resistance by -30%" + ], + "recipes": [ + { + "result": "Gep's Longblade", + "result_count": "1x", + "ingredients": [ + "Mysterious Long Blade", + "Gep's Drink", + "Gep's Drink", + "Gep's Drink" + ], + "station": "None", + "source_page": "Gep's Longblade" + }, + { + "result": "Gep's Longblade", + "result_count": "1x", + "ingredients": [ + "Gep's Blade", + "Gep's Generosity" + ], + "station": "None", + "source_page": "Gep's Longblade" + }, + { + "result": "Gep's Blade", + "result_count": "1x", + "ingredients": [ + "Gep's Longblade", + "Gep's Generosity" + ], + "station": "None", + "source_page": "Gep's Longblade" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "25", + "description": "Two slashing strikes, left to right", + "impact": "34", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10.01", + "damage": "37.5", + "description": "Overhead downward-thrusting strike", + "impact": "51", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "31.62", + "description": "Spinning strike from the right", + "impact": "37.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "31.62", + "description": "Spinning strike from the left", + "impact": "37.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "34", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "37.5", + "51", + "10.01", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "31.62", + "37.4", + "8.47", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "31.62", + "37.4", + "8.47", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mysterious Long Blade Gep's Drink Gep's Drink Gep's Drink", + "result": "1x Gep's Longblade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gep's Longblade", + "Mysterious Long Blade Gep's Drink Gep's Drink Gep's Drink", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Blade Gep's Generosity", + "result": "1x Gep's Longblade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gep's Longblade", + "Gep's Blade Gep's Generosity", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's LongbladeGep's Generosity", + "result": "1x Gep's Blade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gep's Blade", + "Gep's LongbladeGep's Generosity", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Gep's Longblade is a Unique type of Weapon in Outward." + }, + { + "name": "Gep's Note", + "url": "https://outward.fandom.com/wiki/Gep%27s_Note", + "categories": [ + "Other", + "Items", + "Texts" + ], + "infobox": { + "Buy": "n/a", + "Object ID": "5601001", + "Type": "Other", + "Weight": "0.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/93/Gep%27s_Note.png/revision/latest/scale-to-width-down/83?cb=20190701010609", + "description": "Gep's Note is an item in Outward, received from Gep's defeat scenario." + }, + { + "name": "Ghost Drum", + "url": "https://outward.fandom.com/wiki/Ghost_Drum", + "categories": [ + "DLC: The Three Brothers", + "Instrument", + "Items" + ], + "infobox": { + "Buy": "5", + "Class": "Instrument", + "Effects": "Magical instrument used to deal Ethereal effects.", + "Object ID": "5000300", + "Sell": "2", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6c/Ghost_Drum.png/revision/latest/scale-to-width-down/83?cb=20201220074939", + "effects": [ + "Deployed with Haunting Beat. See Haunting Beat article for effects." + ], + "description": "Ghost Drum is an Item in Outward." + }, + { + "name": "Ghost Parallel", + "url": "https://outward.fandom.com/wiki/Ghost_Parallel", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "2500", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "26 26", + "Durability": "400", + "Effects": "Aetherbomb-15% Physical resistance", + "Impact": "34", + "Object ID": "2120275", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a1/Ghost_Parallel.png/revision/latest/scale-to-width-down/83?cb=20201220074940", + "effects": [ + "Inflicts Aetherbomb (40% buildup)", + "-15% Physical resistance" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Ghost Parallel", + "result_count": "1x", + "ingredients": [ + "De-powered Bludgeon", + "Ectoplasm", + "Digested Mana Stone" + ], + "station": "None", + "source_page": "Ghost Parallel" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "26 26", + "description": "Two slashing strikes, left to right", + "impact": "34", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "19.5 19.5", + "description": "Blunt strike with high impact", + "impact": "68", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "36.4 36.4", + "description": "Powerful overhead strike", + "impact": "47.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "36.4 36.4", + "description": "Forward-running uppercut strike", + "impact": "47.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26 26", + "34", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "19.5 19.5", + "68", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "36.4 36.4", + "47.6", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "36.4 36.4", + "47.6", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "De-powered Bludgeon Ectoplasm Digested Mana Stone", + "result": "1x Ghost Parallel", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ghost Parallel", + "De-powered Bludgeon Ectoplasm Digested Mana Stone", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Ghost Parallel is a Unique type of Weapon in Outward." + }, + { + "name": "Ghost Reaper", + "url": "https://outward.fandom.com/wiki/Ghost_Reaper", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2500", + "Class": "Polearms", + "Damage": "24 24", + "Durability": "450", + "Effects": "Haunted", + "Impact": "50", + "Mana Cost": "-15%", + "Object ID": "2140130", + "Sell": "750", + "Stamina Cost": "3", + "Type": "Halberd", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1e/Ghost_Reaper.png/revision/latest/scale-to-width-down/83?cb=20190629155136", + "effects": [ + "Inflicts Haunted (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Ghost Reaper", + "result_count": "1x", + "ingredients": [ + "Scourge's Tears", + "Haunted Memory", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Ghost Reaper" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "3", + "damage": "24 24", + "description": "Two wide-sweeping strikes, left to right", + "impact": "50", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.75", + "damage": "31.2 31.2", + "description": "Forward-thrusting strike", + "impact": "65", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.75", + "damage": "31.2 31.2", + "description": "Wide-sweeping strike from left", + "impact": "65", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.25", + "damage": "40.8 40.8", + "description": "Slow but powerful sweeping strike", + "impact": "85", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24 24", + "50", + "3", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "31.2 31.2", + "65", + "3.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "31.2 31.2", + "65", + "3.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "40.8 40.8", + "85", + "5.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Scourge's Tears Haunted Memory Leyline Figment Vendavel's Hospitality", + "result": "1x Ghost Reaper", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ghost Reaper", + "Scourge's Tears Haunted Memory Leyline Figment Vendavel's Hospitality", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Ghost Reaper is a halberd in Outward." + }, + { + "name": "Ghost's Eye", + "url": "https://outward.fandom.com/wiki/Ghost%27s_Eye", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "23", + "Object ID": "6000040", + "Sell": "7", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5c/Ghost%27s_Eye.png/revision/latest/scale-to-width-down/83?cb=20190419163009", + "recipes": [ + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Ghost's Eye" + }, + { + "result": "Great Astral Potion", + "result_count": "1x", + "ingredients": [ + "Astral Potion", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Ghost's Eye" + }, + { + "result": "Mana Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Ghost's Eye" + }, + { + "result": "Mist Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Ghost's Eye" + }, + { + "result": "Spiritual Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Ghost's Eye", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Ghost's Eye" + }, + { + "result": "Stealth Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Woolshroom", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Ghost's Eye" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Astral PotionGhost's Eye", + "result": "1x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodGhost's Eye", + "result": "5x Mana Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGhost's Eye", + "result": "3x Mist Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineGhost's EyeMana Stone", + "result": "1x Spiritual Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterWoolshroomGhost's Eye", + "result": "3x Stealth Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Great Astral Potion", + "Astral PotionGhost's Eye", + "Alchemy Kit" + ], + [ + "5x Mana Arrow", + "Arrowhead KitWoodGhost's Eye", + "Alchemy Kit" + ], + [ + "3x Mist Potion", + "WaterGhost's Eye", + "Alchemy Kit" + ], + [ + "1x Spiritual Varnish", + "Gaberry WineGhost's EyeMana Stone", + "Alchemy Kit" + ], + [ + "3x Stealth Potion", + "WaterWoolshroomGhost's Eye", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Ghost Plant" + } + ], + "raw_rows": [ + [ + "Ghost Plant", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33.8%", + "locations": "Levant", + "quantity": "2", + "source": "Tuan the Alchemist" + }, + { + "chance": "20.8%", + "locations": "New Sirocco", + "quantity": "1 - 6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "17.8%", + "locations": "Berg", + "quantity": "1 - 6", + "source": "Vay the Alchemist" + }, + { + "chance": "11.5%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "9%", + "locations": "Harmattan", + "quantity": "1 - 6", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Tuan the Alchemist", + "2", + "33.8%", + "Levant" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 6", + "20.8%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "1 - 6", + "17.8%", + "Berg" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "11.5%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 6", + "9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Ghost (Red)" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Sandrose Horror" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Shell Horror" + }, + { + "chance": "40%", + "quantity": "1", + "source": "Ghost (Caldera)" + }, + { + "chance": "40%", + "quantity": "1", + "source": "Ghost (Purple)" + }, + { + "chance": "40%", + "quantity": "1", + "source": "Ghost (Red Lady)" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Ancient Dweller" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Breath of Darkness" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Ghost (Green)" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Ghost of Vanasse" + }, + { + "chance": "25%", + "quantity": "1", + "source": "She Who Speaks" + }, + { + "chance": "11.8%", + "quantity": "1", + "source": "Burning Man" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Golden Matriarch" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Golden Specter (Cannon)" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Golden Specter (Melee)" + } + ], + "raw_rows": [ + [ + "Ghost (Red)", + "1", + "100%" + ], + [ + "Sandrose Horror", + "3", + "100%" + ], + [ + "Shell Horror", + "3", + "100%" + ], + [ + "Ghost (Caldera)", + "1", + "40%" + ], + [ + "Ghost (Purple)", + "1", + "40%" + ], + [ + "Ghost (Red Lady)", + "1", + "40%" + ], + [ + "Ancient Dweller", + "1", + "25%" + ], + [ + "Breath of Darkness", + "1", + "25%" + ], + [ + "Ghost (Green)", + "1", + "25%" + ], + [ + "Ghost of Vanasse", + "1", + "25%" + ], + [ + "She Who Speaks", + "1", + "25%" + ], + [ + "Burning Man", + "1", + "11.8%" + ], + [ + "Golden Matriarch", + "1", + "3%" + ], + [ + "Golden Specter (Cannon)", + "1", + "3%" + ], + [ + "Golden Specter (Melee)", + "1", + "3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 4", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path", + "quantity": "1 - 4", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 4", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 4", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "14.8%", + "Ark of the Exiled, Forest Hives" + ], + [ + "Soldier's Corpse", + "1 - 4", + "14.8%", + "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "Ghost's Eye is a crafting item in Outward." + }, + { + "name": "Giant Iron Key", + "url": "https://outward.fandom.com/wiki/Giant_Iron_Key", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "200", + "Class": "Maces", + "Damage": "29", + "Durability": "350", + "Impact": "32", + "Object ID": "2020080", + "Sell": "60", + "Stamina Cost": "4.8", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Giant_Iron_Key.png/revision/latest?cb=20190412211145", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Giant Iron Key" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.8", + "damage": "29", + "description": "Two wide-sweeping strikes, right to left", + "impact": "32", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "37.7", + "description": "Slow, overhead strike with high impact", + "impact": "80", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "37.7", + "description": "Fast, forward-thrusting strike", + "impact": "41.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "37.7", + "description": "Fast, forward-thrusting strike", + "impact": "41.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29", + "32", + "4.8", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "37.7", + "80", + "6.24", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "37.7", + "41.6", + "6.24", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "37.7", + "41.6", + "6.24", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "9%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + }, + { + "chance": "5%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1 - 4", + "17.6%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "9%", + "Cierzo" + ], + [ + "Loud-Hammer", + "1", + "5%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Giant Iron Key is a one-handed mace in Outward." + }, + { + "name": "Giant-Heart Garnet", + "url": "https://outward.fandom.com/wiki/Giant-Heart_Garnet", + "categories": [ + "Gemstone", + "Items" + ], + "infobox": { + "Buy": "50", + "Object ID": "7400050", + "Sell": "15", + "Type": "Gemstone", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6c/Giant-Heart_Garnet.png/revision/latest/scale-to-width-down/83?cb=20190413203259", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "66.7%", + "quantity": "1", + "source": "Ash Giant Priest" + }, + { + "chance": "41.2%", + "quantity": "1", + "source": "Ash Giant" + } + ], + "raw_rows": [ + [ + "Ash Giant Priest", + "1", + "66.7%" + ], + [ + "Ash Giant", + "1", + "41.2%" + ] + ] + } + ], + "description": "Giant-Heart Garnet is an item in Outward." + }, + { + "name": "Giantkind Greataxe", + "url": "https://outward.fandom.com/wiki/Giantkind_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Axes", + "Damage": "40", + "Durability": "425", + "Impact": "36", + "Item Set": "Giantkind Set", + "Object ID": "2110070", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/15/Giantkind_Greataxe.png/revision/latest?cb=20190412202447", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Giantkind Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "40", + "description": "Two slashing strikes, left to right", + "impact": "36", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.9", + "damage": "52", + "description": "Uppercut strike into right sweep strike", + "impact": "46.8", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.9", + "damage": "52", + "description": "Left-spinning double strike", + "impact": "46.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.72", + "damage": "52", + "description": "Right-spinning double strike", + "impact": "46.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "40", + "36", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "52", + "46.8", + "9.9", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "52", + "46.8", + "9.9", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "52", + "46.8", + "9.72", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Iron Sides" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Iron Sides", + "1", + "100%", + "Giants' Village" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "33.3%", + "quantity": "1", + "source": "Ash Giant" + } + ], + "raw_rows": [ + [ + "Ash Giant", + "1", + "33.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Giantkind Greataxe is a two-handed axe in Outward." + }, + { + "name": "Giantkind Halberd", + "url": "https://outward.fandom.com/wiki/Giantkind_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "375", + "Class": "Polearms", + "Damage": "15.5 15.5", + "Durability": "425", + "Impact": "37", + "Item Set": "Giantkind Set", + "Object ID": "2140090", + "Sell": "113", + "Stamina Cost": "6.3", + "Type": "Halberd", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bb/Giantkind_Halberd.png/revision/latest?cb=20190412213130", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Giantkind Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.3", + "damage": "15.5 15.5", + "description": "Two wide-sweeping strikes, left to right", + "impact": "37", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "20.15 20.15", + "description": "Forward-thrusting strike", + "impact": "48.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "20.15 20.15", + "description": "Wide-sweeping strike from left", + "impact": "48.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.03", + "damage": "26.35 26.35", + "description": "Slow but powerful sweeping strike", + "impact": "62.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "15.5 15.5", + "37", + "6.3", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "20.15 20.15", + "48.1", + "7.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "20.15 20.15", + "48.1", + "7.88", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "26.35 26.35", + "62.9", + "11.03", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Iron Sides" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Iron Sides", + "1", + "100%", + "Giants' Village" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "33.3%", + "quantity": "1", + "source": "Ash Giant Priest" + } + ], + "raw_rows": [ + [ + "Ash Giant Priest", + "1", + "33.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Giantkind Halberd is a halberd in Outward." + }, + { + "name": "Gilded Shiver of Tramontane", + "url": "https://outward.fandom.com/wiki/Gilded_Shiver_of_Tramontane", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Daggers", + "DLC": "The Three Brothers", + "Damage": "37", + "Durability": "200", + "Effects": "Slow DownCrippleHampered-15% Fire resistance", + "Impact": "40", + "Object ID": "5110345", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e6/Gilded_Shiver_of_Tramontane.png/revision/latest/scale-to-width-down/83?cb=20201220074942", + "effects": [ + "Inflicts Slow Down (60% buildup)", + "Inflicts Crippled (45% buildup)", + "Inflicts Hampered (35% buildup)", + "-15% Fire resistance" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Gilded Shiver of Tramontane", + "result_count": "1x", + "ingredients": [ + "Scarred Dagger", + "Diamond Dust", + "Flash Moss" + ], + "station": "None", + "source_page": "Gilded Shiver of Tramontane" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Scarred Dagger Diamond Dust Flash Moss", + "result": "1x Gilded Shiver of Tramontane", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gilded Shiver of Tramontane", + "Scarred Dagger Diamond Dust Flash Moss", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + } + ], + "description": "Gilded Shiver of Tramontane is a Unique type of Weapon in Outward." + }, + { + "name": "Glowstone Backpack", + "url": "https://outward.fandom.com/wiki/Glowstone_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "300", + "Capacity": "75", + "Class": "Backpacks", + "Durability": "∞", + "Effects": "Acts as a light source", + "Object ID": "5300050", + "Sell": "90", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/ff/Glowstone_Backpack.png/revision/latest?cb=20190411000233", + "description": "Glowstone Backpack is a unique type of backpack in Outward. It has a maximum capacity of 75 weight, and acts as a light source." + }, + { + "name": "Go'gO", + "url": "https://outward.fandom.com/wiki/Go%27gO", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Durability": "∞", + "Impact Resist": "0%", + "Movement Speed": "17%", + "Object ID": "3900004", + "Pouch Bonus": "5", + "Sell": "6", + "Slot": "Head", + "Stamina Cost": "-20%", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/71/Go%27gO.png/revision/latest/scale-to-width-down/83?cb=20220519141704", + "recipes": [ + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Go'gO" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Armor Nightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Go'gO", + "Basic Armor Nightmare Mushroom", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Go'gO is a type of Equipment in Outward, which can only be used by Troglodyte players." + }, + { + "name": "Gold Bow", + "url": "https://outward.fandom.com/wiki/Gold_Bow", + "categories": [ + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "250", + "Class": "Bows", + "Damage": "32", + "Durability": "400", + "Impact": "22", + "Item Set": "Gold Set", + "Object ID": "2200001", + "Sell": "75", + "Stamina Cost": "2.76", + "Type": "Two-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/ff/Gold_Bow.png/revision/latest/scale-to-width-down/83?cb=20190629155308", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Simple Bow", + "upgrade": "Gold Bow" + } + ], + "raw_rows": [ + [ + "Simple Bow", + "Gold Bow" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Gain +10 flat Lightning damageWeapon now inflicts Sapped (30% buildup)", + "enchantment": "Twang" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Twang", + "Gain +10 flat Lightning damageWeapon now inflicts Sapped (30% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold Bow is a type of Bow weapon in Outward." + }, + { + "name": "Gold Club", + "url": "https://outward.fandom.com/wiki/Gold_Club", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "200", + "Class": "Maces", + "Damage": "30", + "Durability": "300", + "Impact": "28", + "Item Set": "Gold Set", + "Object ID": "2020131", + "Sell": "60", + "Stamina Cost": "4.8", + "Type": "One-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2e/Gold_Club.png/revision/latest/scale-to-width-down/83?cb=20190629155309", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.8", + "damage": "30", + "description": "Two wide-sweeping strikes, right to left", + "impact": "28", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "39", + "description": "Slow, overhead strike with high impact", + "impact": "70", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "39", + "description": "Fast, forward-thrusting strike", + "impact": "36.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "39", + "description": "Fast, forward-thrusting strike", + "impact": "36.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30", + "28", + "4.8", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "39", + "70", + "6.24", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "39", + "36.4", + "6.24", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "39", + "36.4", + "6.24", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Primitive Club", + "upgrade": "Gold Club" + } + ], + "raw_rows": [ + [ + "Primitive Club", + "Gold Club" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold Club is a type of One-Handed Mace weapon in Outward." + }, + { + "name": "Gold Greataxe", + "url": "https://outward.fandom.com/wiki/Gold_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "250", + "Class": "Axes", + "Damage": "38", + "Durability": "400", + "Impact": "42", + "Item Set": "Gold Set", + "Object ID": "2110041", + "Sell": "75", + "Stamina Cost": "6.6", + "Type": "Two-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d8/Gold_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20190629155312", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Gold Greataxe" + }, + { + "result": "Virgin Greataxe", + "result_count": "1x", + "ingredients": [ + "Gold Greataxe", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Gold Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.6", + "damage": "38", + "description": "Two slashing strikes, left to right", + "impact": "42", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.07", + "damage": "49.4", + "description": "Uppercut strike into right sweep strike", + "impact": "54.6", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.07", + "damage": "49.4", + "description": "Left-spinning double strike", + "impact": "54.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "8.91", + "damage": "49.4", + "description": "Right-spinning double strike", + "impact": "54.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "38", + "42", + "6.6", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "49.4", + "54.6", + "9.07", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "49.4", + "54.6", + "9.07", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.4", + "54.6", + "8.91", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Felling Greataxe", + "upgrade": "Gold Greataxe" + } + ], + "raw_rows": [ + [ + "Felling Greataxe", + "Gold Greataxe" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Gold GreataxePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ], + [ + "1x Virgin Greataxe", + "Gold GreataxePalladium ScrapPalladium ScrapPure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold Greataxe is a type of Two-Handed Axe weapon in Outward." + }, + { + "name": "Gold Guisarme", + "url": "https://outward.fandom.com/wiki/Gold_Guisarme", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "250", + "Class": "Polearms", + "Damage": "29", + "Durability": "350", + "Impact": "34", + "Item Set": "Gold Set", + "Object ID": "2130011", + "Sell": "75", + "Stamina Cost": "6", + "Type": "Halberd", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Gold_Guisarme.png/revision/latest/scale-to-width-down/83?cb=20190629155314", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Gold Guisarme" + }, + { + "result": "Virgin Halberd", + "result_count": "1x", + "ingredients": [ + "Gold Guisarme", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Gold Guisarme" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6", + "damage": "29", + "description": "Two wide-sweeping strikes, left to right", + "impact": "34", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.5", + "damage": "37.7", + "description": "Forward-thrusting strike", + "impact": "44.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.5", + "damage": "37.7", + "description": "Wide-sweeping strike from left", + "impact": "44.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.5", + "damage": "49.3", + "description": "Slow but powerful sweeping strike", + "impact": "57.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29", + "34", + "6", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "37.7", + "44.2", + "7.5", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "37.7", + "44.2", + "7.5", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.3", + "57.8", + "10.5", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Worn Guisarme", + "upgrade": "Gold Guisarme" + } + ], + "raw_rows": [ + [ + "Worn Guisarme", + "Gold Guisarme" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Gold GuisarmePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "1x Virgin Halberd", + "Gold GuisarmePalladium ScrapPalladium ScrapPure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold Guisarme is a type of Two-Handed Polearm weapon in Outward." + }, + { + "name": "Gold Harpoon", + "url": "https://outward.fandom.com/wiki/Gold_Harpoon", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "250", + "Class": "Spears", + "Damage": "31", + "Durability": "325", + "Impact": "27", + "Item Set": "Gold Set", + "Object ID": "2130131", + "Sell": "75", + "Stamina Cost": "4.8", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/65/Gold_Harpoon.png/revision/latest/scale-to-width-down/83?cb=20190629155315", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Gold Harpoon" + }, + { + "result": "Virgin Spear", + "result_count": "1x", + "ingredients": [ + "Gold Harpoon", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Gold Harpoon" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.8", + "damage": "31", + "description": "Two forward-thrusting stabs", + "impact": "27", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6", + "damage": "43.4", + "description": "Forward-lunging strike", + "impact": "32.4", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6", + "damage": "40.3", + "description": "Left-sweeping strike, jump back", + "impact": "32.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6", + "damage": "37.2", + "description": "Fast spinning strike from the right", + "impact": "29.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "31", + "27", + "4.8", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "43.4", + "32.4", + "6", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "40.3", + "32.4", + "6", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "37.2", + "29.7", + "6", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fishing Harpoon", + "upgrade": "Gold Harpoon" + } + ], + "raw_rows": [ + [ + "Fishing Harpoon", + "Gold Harpoon" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Gold HarpoonPalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "1x Virgin Spear", + "Gold HarpoonPalladium ScrapPalladium ScrapPure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold Harpoon is a type of Two-Handed Spear weapon in Outward. Can be used for Fishing." + }, + { + "name": "Gold Hatchet", + "url": "https://outward.fandom.com/wiki/Gold_Hatchet", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "200", + "Class": "Axes", + "Damage": "31", + "Durability": "350", + "Impact": "24", + "Item Set": "Gold Set", + "Object ID": "2010051", + "Sell": "60", + "Stamina Cost": "4.8", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/04/Gold_Hatchet.png/revision/latest/scale-to-width-down/83?cb=20190629155316", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Gold Hatchet" + }, + { + "result": "Virgin Axe", + "result_count": "1x", + "ingredients": [ + "Gold Hatchet", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Gold Hatchet" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.8", + "damage": "31", + "description": "Two slashing strikes, right to left", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "5.76", + "damage": "40.3", + "description": "Fast, triple-attack strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "5.76", + "damage": "40.3", + "description": "Quick double strike", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "5.76", + "damage": "40.3", + "description": "Wide-sweeping double strike", + "impact": "31.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "31", + "24", + "4.8", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "40.3", + "31.2", + "5.76", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "40.3", + "31.2", + "5.76", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "40.3", + "31.2", + "5.76", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Hatchet", + "upgrade": "Gold Hatchet" + } + ], + "raw_rows": [ + [ + "Hatchet", + "Gold Hatchet" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Gold HatchetPalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "1x Virgin Axe", + "Gold HatchetPalladium ScrapPalladium ScrapPure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold Hatchet is a type of One-Handed Axe weapon in Outward." + }, + { + "name": "Gold Ingot", + "url": "https://outward.fandom.com/wiki/Gold_Ingot", + "categories": [ + "Currency", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "100", + "Object ID": "6300030", + "Sell": "100", + "Type": "Currency", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/22/Gold_Ingot.png/revision/latest?cb=20190424173654", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "3 - 4", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "3 - 5", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "5 - 8", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "4", + "source": "Chef Tenno" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "5 - 8", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "4", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "5 - 8", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "3 - 4", + "100%", + "Hermit's House" + ], + [ + "Apprentice Ritualist", + "3 - 5", + "100%", + "Ritualist's hut" + ], + [ + "Brad Aberdeen, Chef", + "3 - 5", + "100%", + "New Sirocco" + ], + [ + "Bradley Auteil, Armory", + "3 - 5", + "100%", + "Harmattan" + ], + [ + "Cera Carillion, Weaponsmith", + "5 - 8", + "100%", + "Harmattan" + ], + [ + "Chef Iasu", + "3", + "100%", + "Berg" + ], + [ + "Chef Tenno", + "4", + "100%", + "Levant" + ], + [ + "David Parks, Craftsman", + "5 - 8", + "100%", + "Harmattan" + ], + [ + "Engineer Orsten", + "4", + "100%", + "Levant" + ], + [ + "Felix Jimson, Shopkeeper", + "5 - 8", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "5", + "source": "Concealed Knight: ???" + } + ], + "raw_rows": [ + [ + "Concealed Knight: ???", + "5", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "100%", + "Forgotten Research Laboratory" + ] + ] + } + ], + "description": "Gold Ingot is an item in Outward used for easily transporting or storing wealth, instead of as Silver." + }, + { + "name": "Gold Machete", + "url": "https://outward.fandom.com/wiki/Gold_Machete", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "200", + "Class": "Swords", + "Damage": "28", + "Durability": "300", + "Impact": "24", + "Item Set": "Gold Set", + "Object ID": "2000061", + "Sell": "60", + "Stamina Cost": "4.2", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fa/Gold_Machete.png/revision/latest/scale-to-width-down/83?cb=20190629155317", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Gold Machete" + }, + { + "result": "Virgin Sword", + "result_count": "1x", + "ingredients": [ + "Gold Machete", + "Pure Chitin", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Gold Machete" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.2", + "damage": "28", + "description": "Two slash attacks, left to right", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.04", + "damage": "41.86", + "description": "Forward-thrusting strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.62", + "damage": "35.42", + "description": "Heavy left-lunging strike", + "impact": "26.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.62", + "damage": "35.42", + "description": "Heavy right-lunging strike", + "impact": "26.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "28", + "24", + "4.2", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "41.86", + "31.2", + "5.04", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "35.42", + "26.4", + "4.62", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "35.42", + "26.4", + "4.62", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Machete", + "upgrade": "Gold Machete" + } + ], + "raw_rows": [ + [ + "Machete", + "Gold Machete" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Gold MachetePure ChitinPalladium ScrapPalladium Scrap", + "result": "1x Virgin Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "1x Virgin Sword", + "Gold MachetePure ChitinPalladium ScrapPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold Machete is a type of One-Handed Sword weapon in Outward." + }, + { + "name": "Gold Mining Pick", + "url": "https://outward.fandom.com/wiki/Gold_Mining_Pick", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "250", + "Class": "Maces", + "Damage": "29", + "Durability": "400", + "Impact": "34", + "Item Set": "Gold Set", + "Object ID": "2120051", + "Sell": "75", + "Stamina Cost": "6.6", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c1/Gold_Mining_Pick.png/revision/latest/scale-to-width-down/83?cb=20190629155319", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Gold Mining Pick" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.6", + "damage": "29", + "description": "Two slashing strikes, left to right", + "impact": "34", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "21.75", + "description": "Blunt strike with high impact", + "impact": "68", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "40.6", + "description": "Powerful overhead strike", + "impact": "47.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "40.6", + "description": "Forward-running uppercut strike", + "impact": "47.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29", + "34", + "6.6", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "21.75", + "68", + "7.92", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "40.6", + "47.6", + "7.92", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "40.6", + "47.6", + "7.92", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Mining Pick", + "upgrade": "Gold Mining Pick" + } + ], + "raw_rows": [ + [ + "Mining Pick", + "Gold Mining Pick" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold Mining Pick is a type of Two-Handed Mace weapon in Outward." + }, + { + "name": "Gold Pitchfork", + "url": "https://outward.fandom.com/wiki/Gold_Pitchfork", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "250", + "Class": "Spears", + "Damage": "32", + "Durability": "350", + "Impact": "26", + "Item Set": "Gold Set", + "Object ID": "2130041", + "Sell": "75", + "Stamina Cost": "4.8", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9c/Gold_Pitchfork.png/revision/latest/scale-to-width-down/83?cb=20190629155320", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Gold Pitchfork" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.8", + "damage": "32", + "description": "Two forward-thrusting stabs", + "impact": "26", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6", + "damage": "44.8", + "description": "Forward-lunging strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6", + "damage": "41.6", + "description": "Left-sweeping strike, jump back", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6", + "damage": "38.4", + "description": "Fast spinning strike from the right", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "32", + "26", + "4.8", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "44.8", + "31.2", + "6", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "41.6", + "31.2", + "6", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "38.4", + "28.6", + "6", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Pitchfork", + "upgrade": "Gold Pitchfork" + } + ], + "raw_rows": [ + [ + "Pitchfork", + "Gold Pitchfork" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold Pitchfork is a type of Two-Handed Spear weapon in Outward." + }, + { + "name": "Gold Quarterstaff", + "url": "https://outward.fandom.com/wiki/Gold_Quarterstaff", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "250", + "Class": "Polearms", + "Damage": "28", + "Durability": "325", + "Impact": "30", + "Item Set": "Gold Set", + "Object ID": "2130031", + "Sell": "75", + "Stamina Cost": "6", + "Type": "Staff", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/27/Gold_Quarterstaff.png/revision/latest/scale-to-width-down/83?cb=20190629155322", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6", + "damage": "28", + "description": "Two wide-sweeping strikes, left to right", + "impact": "30", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.5", + "damage": "36.4", + "description": "Forward-thrusting strike", + "impact": "39", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.5", + "damage": "36.4", + "description": "Wide-sweeping strike from left", + "impact": "39", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.5", + "damage": "47.6", + "description": "Slow but powerful sweeping strike", + "impact": "51", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "28", + "30", + "6", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "36.4", + "39", + "7.5", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "36.4", + "39", + "7.5", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "47.6", + "51", + "10.5", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Quarterstaff", + "upgrade": "Gold Quarterstaff" + } + ], + "raw_rows": [ + [ + "Quarterstaff", + "Gold Quarterstaff" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold Quarterstaff is a type of Two-Handed Polearm weapon in Outward." + }, + { + "name": "Gold-Lich Armor", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "350", + "Damage Resist": "9% 30%", + "Durability": "260", + "Impact Resist": "5%", + "Item Set": "Gold-Lich Set", + "Mana Cost": "-20%", + "Object ID": "3000210", + "Sell": "116", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/ce/Gold-Lich_Armor.png/revision/latest?cb=20190415115553", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Light Mender" + } + ], + "raw_rows": [ + [ + "Light Mender", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "The Gold-Lich Armor is a unique Armor in Outward." + }, + { + "name": "Gold-Lich Boots", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "200", + "Damage Resist": "4% 10% 30%", + "Durability": "360", + "Impact Resist": "3%", + "Item Set": "Gold-Lich Set", + "Mana Cost": "-15%", + "Object ID": "3000212", + "Sell": "60", + "Slot": "Legs", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/83/Gold-Lich_Boots.png/revision/latest?cb=20190415153526", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Light Mender" + } + ], + "raw_rows": [ + [ + "Light Mender", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "The Gold-Lich Boots is a pair of Boots in Outward." + }, + { + "name": "Gold-Lich Claymore", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Swords", + "Damage": "30.75 10.25", + "Durability": "450", + "Effects": "Doomed", + "Impact": "39", + "Item Set": "Gold-Lich Set", + "Object ID": "2100050", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/36/Gold-Lich_Claymore.png/revision/latest?cb=20190413073927", + "effects": [ + "Inflicts Doomed (45% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Gold-Lich Claymore", + "result_count": "1x", + "ingredients": [ + "Iron Claymore", + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Claymore" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Gold-Lich Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "30.75 10.25", + "description": "Two slashing strikes, left to right", + "impact": "39", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.36", + "damage": "46.13 15.38", + "description": "Overhead downward-thrusting strike", + "impact": "58.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "38.9 12.97", + "description": "Spinning strike from the right", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "38.9 12.97", + "description": "Spinning strike from the left", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30.75 10.25", + "39", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "46.13 15.38", + "58.5", + "9.36", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "38.9 12.97", + "42.9", + "7.92", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "38.9 12.97", + "42.9", + "7.92", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Claymore Gold-Lich Mechanism Gold-Lich Mechanism Firefly Powder", + "result": "1x Gold-Lich Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gold-Lich Claymore", + "Iron Claymore Gold-Lich Mechanism Gold-Lich Mechanism Firefly Powder", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold-Lich Claymore is a craftable two-handed sword in Outward. Inflicts Doomed." + }, + { + "name": "Gold-Lich Knuckles", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "20.8 11.2", + "Durability": "375", + "Effects": "Doomed", + "Impact": "16", + "Item Set": "Gold-Lich Set", + "Object ID": "2160050", + "Sell": "240", + "Stamina Cost": "2.6", + "Type": "Two-Handed", + "Weight": "3.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/aa/Gold-Lich_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20200616185435", + "effects": [ + "Inflicts Doomed (22.5% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Gold-Lich Knuckles", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Iron Knuckles", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Knuckles" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.6", + "damage": "20.8 11.2", + "description": "Four fast punches, right to left", + "impact": "16", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.38", + "damage": "27.04 14.56", + "description": "Forward-lunging left hook", + "impact": "20.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "27.04 14.56", + "description": "Left dodging, left uppercut", + "impact": "20.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "27.04 14.56", + "description": "Right dodging, right spinning hammer strike", + "impact": "20.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "20.8 11.2", + "16", + "2.6", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "27.04 14.56", + "20.8", + "3.38", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "27.04 14.56", + "20.8", + "3.12", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.04 14.56", + "20.8", + "3.12", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gold-Lich Mechanism Gold-Lich Mechanism Iron Knuckles Firefly Powder", + "result": "1x Gold-Lich Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gold-Lich Knuckles", + "Gold-Lich Mechanism Gold-Lich Mechanism Iron Knuckles Firefly Powder", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Gold-Lich Knuckles is a type of Weapon in Outward." + }, + { + "name": "Gold-Lich Mace", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Mace", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Maces", + "Damage": "28.5 9.5", + "Durability": "500", + "Effects": "Doomed", + "Impact": "38", + "Item Set": "Gold-Lich Set", + "Object ID": "2020060", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c2/Gold-Lich_Mace.png/revision/latest?cb=20190412211057", + "effects": [ + "Inflicts Doomed (45% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Gold-Lich Mace", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Iron Mace", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Mace" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Gold-Lich Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "28.5 9.5", + "description": "Two wide-sweeping strikes, right to left", + "impact": "38", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "37.05 12.35", + "description": "Slow, overhead strike with high impact", + "impact": "95", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "37.05 12.35", + "description": "Fast, forward-thrusting strike", + "impact": "49.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "37.05 12.35", + "description": "Fast, forward-thrusting strike", + "impact": "49.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "28.5 9.5", + "38", + "5.2", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "37.05 12.35", + "95", + "6.76", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "37.05 12.35", + "49.4", + "6.76", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "37.05 12.35", + "49.4", + "6.76", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gold-Lich Mechanism Iron Mace Firefly Powder", + "result": "1x Gold-Lich Mace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gold-Lich Mace", + "Gold-Lich Mechanism Iron Mace Firefly Powder", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold-Lich Mace is a craftable one-handed mace in Outward. Inflicts Doomed." + }, + { + "name": "Gold-Lich Mask", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "450", + "Damage Resist": "14% 30% 30%", + "Durability": "510", + "Impact Resist": "10%", + "Item Set": "Gold-Lich Set", + "Mana Cost": "-25%", + "Object ID": "3000211", + "Sell": "135", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/33/Gold-Lich_Mask.png/revision/latest?cb=20190407194318", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Light Mender" + } + ], + "raw_rows": [ + [ + "Light Mender", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "The Gold-Lich Mask is a Helmet in Outward." + }, + { + "name": "Gold-Lich Mechanism", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Mechanism", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "70", + "Object ID": "6600210", + "Sell": "21", + "Type": "Ingredient", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/64/Gold-Lich_Mechanism.png/revision/latest/scale-to-width-down/83?cb=20190419162422", + "recipes": [ + { + "result": "Gold-Lich Claymore", + "result_count": "1x", + "ingredients": [ + "Iron Claymore", + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Mechanism" + }, + { + "result": "Gold-Lich Knuckles", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Iron Knuckles", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Mechanism" + }, + { + "result": "Gold-Lich Mace", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Iron Mace", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Mechanism" + }, + { + "result": "Gold-Lich Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Mechanism" + }, + { + "result": "Gold-Lich Spear", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Mechanism" + }, + { + "result": "Gold-Lich Sword", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Iron Sword", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Mechanism" + }, + { + "result": "Holy Rage Arrow", + "result_count": "3x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Gold-Lich Mechanism" + ], + "station": "Alchemy Kit", + "source_page": "Gold-Lich Mechanism" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron ClaymoreGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "result": "1x Gold-Lich Claymore", + "station": "None" + }, + { + "ingredients": "Gold-Lich MechanismGold-Lich MechanismIron KnucklesFirefly Powder", + "result": "1x Gold-Lich Knuckles", + "station": "None" + }, + { + "ingredients": "Gold-Lich MechanismIron MaceFirefly Powder", + "result": "1x Gold-Lich Mace", + "station": "None" + }, + { + "ingredients": "Round ShieldGold-Lich MechanismFirefly Powder", + "result": "1x Gold-Lich Shield", + "station": "None" + }, + { + "ingredients": "Iron SpearGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "result": "1x Gold-Lich Spear", + "station": "None" + }, + { + "ingredients": "Gold-Lich MechanismIron SwordFirefly Powder", + "result": "1x Gold-Lich Sword", + "station": "None" + }, + { + "ingredients": "Arrowhead KitWoodGold-Lich Mechanism", + "result": "3x Holy Rage Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Gold-Lich Claymore", + "Iron ClaymoreGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "None" + ], + [ + "1x Gold-Lich Knuckles", + "Gold-Lich MechanismGold-Lich MechanismIron KnucklesFirefly Powder", + "None" + ], + [ + "1x Gold-Lich Mace", + "Gold-Lich MechanismIron MaceFirefly Powder", + "None" + ], + [ + "1x Gold-Lich Shield", + "Round ShieldGold-Lich MechanismFirefly Powder", + "None" + ], + [ + "1x Gold-Lich Spear", + "Iron SpearGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "None" + ], + [ + "1x Gold-Lich Sword", + "Gold-Lich MechanismIron SwordFirefly Powder", + "None" + ], + [ + "3x Holy Rage Arrow", + "Arrowhead KitWoodGold-Lich Mechanism", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "89.5%", + "quantity": "1", + "source": "Golden Matriarch" + }, + { + "chance": "89.5%", + "quantity": "1", + "source": "Golden Specter (Cannon)" + }, + { + "chance": "89.5%", + "quantity": "1", + "source": "Golden Specter (Melee)" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Golden Minion" + }, + { + "chance": "44.5%", + "quantity": "4", + "source": "Concealed Knight: ???" + } + ], + "raw_rows": [ + [ + "Golden Matriarch", + "1", + "89.5%" + ], + [ + "Golden Specter (Cannon)", + "1", + "89.5%" + ], + [ + "Golden Specter (Melee)", + "1", + "89.5%" + ], + [ + "Golden Minion", + "1", + "50%" + ], + [ + "Concealed Knight: ???", + "4", + "44.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Gold-Lich Mechanism is a Crafting item in Outward." + }, + { + "name": "Gold-Lich Set", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1000", + "Damage Resist": "27% 40% 90%", + "Durability": "1130", + "Impact Resist": "18%", + "Mana Cost": "-60%", + "Object ID": "3000210 (Chest)3000212 (Legs)3000211 (Head)", + "Sell": "311", + "Slot": "Set", + "Weight": "9.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "5%", + "column_5": "-20%", + "durability": "260", + "name": "Gold-Lich Armor", + "resistances": "9% 30%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "3%", + "column_5": "-15%", + "durability": "360", + "name": "Gold-Lich Boots", + "resistances": "4% 30% 10%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "-25%", + "durability": "510", + "name": "Gold-Lich Mask", + "resistances": "14% 30% 30%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Gold-Lich Armor", + "9% 30%", + "5%", + "-20%", + "260", + "4.0", + "Body Armor" + ], + [ + "", + "Gold-Lich Boots", + "4% 30% 10%", + "3%", + "-15%", + "360", + "2.0", + "Boots" + ], + [ + "", + "Gold-Lich Mask", + "14% 30% 30%", + "10%", + "-25%", + "510", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "2H Sword", + "column_4": "39", + "column_6": "7.2", + "damage": "30.75 10.25", + "durability": "450", + "effects": "Doomed", + "name": "Gold-Lich Claymore", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "2H Gauntlet", + "column_4": "16", + "column_6": "2.6", + "damage": "20.8 11.2", + "durability": "375", + "effects": "Doomed", + "name": "Gold-Lich Knuckles", + "resist": "–", + "speed": "1.0", + "weight": "3.5" + }, + { + "class": "1H Mace", + "column_4": "38", + "column_6": "5.2", + "damage": "28.5 9.5", + "durability": "500", + "effects": "Doomed", + "name": "Gold-Lich Mace", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Shield", + "column_4": "51", + "column_6": "–", + "damage": "17.5 17.5", + "durability": "300", + "effects": "Doomed", + "name": "Gold-Lich Shield", + "resist": "18%", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Spear", + "column_4": "24", + "column_6": "5.2", + "damage": "26 14", + "durability": "400", + "effects": "Doomed", + "name": "Gold-Lich Spear", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "1H Sword", + "column_4": "23", + "column_6": "4.55", + "damage": "24.75 8.25", + "durability": "375", + "effects": "Doomed", + "name": "Gold-Lich Sword", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Gold-Lich Claymore", + "30.75 10.25", + "39", + "–", + "7.2", + "1.0", + "450", + "7.0", + "Doomed", + "2H Sword" + ], + [ + "", + "Gold-Lich Knuckles", + "20.8 11.2", + "16", + "–", + "2.6", + "1.0", + "375", + "3.5", + "Doomed", + "2H Gauntlet" + ], + [ + "", + "Gold-Lich Mace", + "28.5 9.5", + "38", + "–", + "5.2", + "1.0", + "500", + "6.0", + "Doomed", + "1H Mace" + ], + [ + "", + "Gold-Lich Shield", + "17.5 17.5", + "51", + "18%", + "–", + "1.0", + "300", + "6.0", + "Doomed", + "Shield" + ], + [ + "", + "Gold-Lich Spear", + "26 14", + "24", + "–", + "5.2", + "1.0", + "400", + "6.0", + "Doomed", + "Spear" + ], + [ + "", + "Gold-Lich Sword", + "24.75 8.25", + "23", + "–", + "4.55", + "1.0", + "375", + "5.0", + "Doomed", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage Bonus%", + "Column 4", + "Capacity", + "Durability", + "Weight", + "Effects", + "Preservation", + "Inventory Protection", + "Class" + ], + "rows": [ + { + "capacity": "75", + "class": "Backpack", + "column_4": "–", + "damage_bonus%": "10%", + "durability": "∞", + "effects": "Acts as a faint light source", + "inventory_protection": "2", + "name": "Light Mender's Backpack", + "preservation": "25%", + "weight": "2.0" + }, + { + "capacity": "–", + "class": "Lexicon", + "column_4": "-5%", + "damage_bonus%": "5% 5%", + "durability": "∞", + "effects": "–", + "inventory_protection": "–", + "name": "Light Mender's Lexicon", + "preservation": "–", + "weight": "0.5" + } + ], + "raw_rows": [ + [ + "", + "Light Mender's Backpack", + "10%", + "–", + "75", + "∞", + "2.0", + "Acts as a faint light source", + "25%", + "2", + "Backpack" + ], + [ + "", + "Light Mender's Lexicon", + "5% 5%", + "-5%", + "–", + "∞", + "0.5", + "–", + "–", + "–", + "Lexicon" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "5%", + "column_5": "-20%", + "durability": "260", + "name": "Gold-Lich Armor", + "resistances": "9% 30%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "3%", + "column_5": "-15%", + "durability": "360", + "name": "Gold-Lich Boots", + "resistances": "4% 30% 10%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "-25%", + "durability": "510", + "name": "Gold-Lich Mask", + "resistances": "14% 30% 30%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Gold-Lich Armor", + "9% 30%", + "5%", + "-20%", + "260", + "4.0", + "Body Armor" + ], + [ + "", + "Gold-Lich Boots", + "4% 30% 10%", + "3%", + "-15%", + "360", + "2.0", + "Boots" + ], + [ + "", + "Gold-Lich Mask", + "14% 30% 30%", + "10%", + "-25%", + "510", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "2H Sword", + "column_4": "39", + "column_6": "7.2", + "damage": "30.75 10.25", + "durability": "450", + "effects": "Doomed", + "name": "Gold-Lich Claymore", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "2H Gauntlet", + "column_4": "16", + "column_6": "2.6", + "damage": "20.8 11.2", + "durability": "375", + "effects": "Doomed", + "name": "Gold-Lich Knuckles", + "resist": "–", + "speed": "1.0", + "weight": "3.5" + }, + { + "class": "1H Mace", + "column_4": "38", + "column_6": "5.2", + "damage": "28.5 9.5", + "durability": "500", + "effects": "Doomed", + "name": "Gold-Lich Mace", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Shield", + "column_4": "51", + "column_6": "–", + "damage": "17.5 17.5", + "durability": "300", + "effects": "Doomed", + "name": "Gold-Lich Shield", + "resist": "18%", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Spear", + "column_4": "24", + "column_6": "5.2", + "damage": "26 14", + "durability": "400", + "effects": "Doomed", + "name": "Gold-Lich Spear", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "1H Sword", + "column_4": "23", + "column_6": "4.55", + "damage": "24.75 8.25", + "durability": "375", + "effects": "Doomed", + "name": "Gold-Lich Sword", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Gold-Lich Claymore", + "30.75 10.25", + "39", + "–", + "7.2", + "1.0", + "450", + "7.0", + "Doomed", + "2H Sword" + ], + [ + "", + "Gold-Lich Knuckles", + "20.8 11.2", + "16", + "–", + "2.6", + "1.0", + "375", + "3.5", + "Doomed", + "2H Gauntlet" + ], + [ + "", + "Gold-Lich Mace", + "28.5 9.5", + "38", + "–", + "5.2", + "1.0", + "500", + "6.0", + "Doomed", + "1H Mace" + ], + [ + "", + "Gold-Lich Shield", + "17.5 17.5", + "51", + "18%", + "–", + "1.0", + "300", + "6.0", + "Doomed", + "Shield" + ], + [ + "", + "Gold-Lich Spear", + "26 14", + "24", + "–", + "5.2", + "1.0", + "400", + "6.0", + "Doomed", + "Spear" + ], + [ + "", + "Gold-Lich Sword", + "24.75 8.25", + "23", + "–", + "4.55", + "1.0", + "375", + "5.0", + "Doomed", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage Bonus%", + "Column 4", + "Capacity", + "Durability", + "Weight", + "Effects", + "Preservation", + "Inventory Protection", + "Class" + ], + "rows": [ + { + "capacity": "75", + "class": "Backpack", + "column_4": "–", + "damage_bonus%": "10%", + "durability": "∞", + "effects": "Acts as a faint light source", + "inventory_protection": "2", + "name": "Light Mender's Backpack", + "preservation": "25%", + "weight": "2.0" + }, + { + "capacity": "–", + "class": "Lexicon", + "column_4": "-5%", + "damage_bonus%": "5% 5%", + "durability": "∞", + "effects": "–", + "inventory_protection": "–", + "name": "Light Mender's Lexicon", + "preservation": "–", + "weight": "0.5" + } + ], + "raw_rows": [ + [ + "", + "Light Mender's Backpack", + "10%", + "–", + "75", + "∞", + "2.0", + "Acts as a faint light source", + "25%", + "2", + "Backpack" + ], + [ + "", + "Light Mender's Lexicon", + "5% 5%", + "-5%", + "–", + "∞", + "0.5", + "–", + "–", + "–", + "Lexicon" + ] + ] + } + ], + "description": "Gold-Lich Set is a Set in Outward." + }, + { + "name": "Gold-Lich Shield", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Shield", + "categories": [ + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Shields", + "Damage": "17.5 17.5", + "Durability": "300", + "Effects": "Doomed", + "Impact": "51", + "Impact Resist": "18%", + "Item Set": "Gold-Lich Set", + "Object ID": "2300100", + "Sell": "240", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1f/Gold-Lich_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407070044", + "effects": [ + "Inflicts Doomed (60% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Gold-Lich Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Shield" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Gold-Lich Shield" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Round Shield Gold-Lich Mechanism Firefly Powder", + "result": "1x Gold-Lich Shield", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gold-Lich Shield", + "Round Shield Gold-Lich Mechanism Firefly Powder", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold-Lich Shield is a type of craftable Shield in Outward." + }, + { + "name": "Gold-Lich Spear", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Spear", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Spears", + "Damage": "26 14", + "Durability": "400", + "Effects": "Doomed", + "Impact": "24", + "Item Set": "Gold-Lich Set", + "Object ID": "2130060", + "Sell": "300", + "Stamina Cost": "5.2", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/20/Gold-Lich_Spear.png/revision/latest?cb=20190413070013", + "effects": [ + "Inflicts Doomed (45% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Gold-Lich Spear", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Spear" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Gold-Lich Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "26 14", + "description": "Two forward-thrusting stabs", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "36.4 19.6", + "description": "Forward-lunging strike", + "impact": "28.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "33.8 18.2", + "description": "Left-sweeping strike, jump back", + "impact": "28.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "31.2 16.8", + "description": "Fast spinning strike from the right", + "impact": "26.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26 14", + "24", + "5.2", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "36.4 19.6", + "28.8", + "6.5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "33.8 18.2", + "28.8", + "6.5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "31.2 16.8", + "26.4", + "6.5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Spear Gold-Lich Mechanism Gold-Lich Mechanism Firefly Powder", + "result": "1x Gold-Lich Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gold-Lich Spear", + "Iron Spear Gold-Lich Mechanism Gold-Lich Mechanism Firefly Powder", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Light Mender" + } + ], + "raw_rows": [ + [ + "Light Mender", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold-Lich Spear is a craftable Spear in Outward. Inflicts Doomed." + }, + { + "name": "Gold-Lich Sword", + "url": "https://outward.fandom.com/wiki/Gold-Lich_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Swords", + "Damage": "24.75 8.25", + "Durability": "375", + "Effects": "Doomed", + "Impact": "23", + "Item Set": "Gold-Lich Set", + "Object ID": "2000080", + "Sell": "240", + "Stamina Cost": "4.55", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d5/Gold-Lich_Sword.png/revision/latest?cb=20190413071646", + "effects": [ + "Inflicts Doomed (45% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Gold-Lich Sword", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Iron Sword", + "Firefly Powder" + ], + "station": "None", + "source_page": "Gold-Lich Sword" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Gold-Lich Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.55", + "damage": "24.75 8.25", + "description": "Two slash attacks, left to right", + "impact": "23", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.46", + "damage": "37 12.33", + "description": "Forward-thrusting strike", + "impact": "29.9", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "31.31 10.44", + "description": "Heavy left-lunging strike", + "impact": "25.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "31.31 10.44", + "description": "Heavy right-lunging strike", + "impact": "25.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24.75 8.25", + "23", + "4.55", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "37 12.33", + "29.9", + "5.46", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "31.31 10.44", + "25.3", + "5.01", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "31.31 10.44", + "25.3", + "5.01", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gold-Lich Mechanism Iron Sword Firefly Powder", + "result": "1x Gold-Lich Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gold-Lich Sword", + "Gold-Lich Mechanism Iron Sword Firefly Powder", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Gold-Lich Sword is a craftable one-handed sword in Outward. Inflicts Doomed." + }, + { + "name": "Golden Crescent", + "url": "https://outward.fandom.com/wiki/Golden_Crescent", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "5", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 1", + "Hunger": "9%", + "Object ID": "4000400", + "Perish Time": "5 Days", + "Sell": "2", + "Type": "Food", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/48/Golden_Crescent.png/revision/latest/scale-to-width-down/83?cb=20201220074943", + "effects": [ + "Restores 9% Hunger", + "Player receives Stamina Recovery (level 1)" + ], + "recipes": [ + { + "result": "Baked Crescent", + "result_count": "1x", + "ingredients": [ + "Golden Crescent" + ], + "station": "Campfire", + "source_page": "Golden Crescent" + }, + { + "result": "Frosted Crescent", + "result_count": "1x", + "ingredients": [ + "Golden Crescent", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Golden Crescent" + }, + { + "result": "Frosted Delight", + "result_count": "3x", + "ingredients": [ + "Golden Crescent", + "Cool Rainbow Jam", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Golden Crescent" + }, + { + "result": "Golden Jam", + "result_count": "1x", + "ingredients": [ + "Golden Crescent", + "Golden Crescent", + "Golden Crescent", + "Golden Crescent" + ], + "station": "Cooking Pot", + "source_page": "Golden Crescent" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Golden Crescent", + "result": "1x Baked Crescent", + "station": "Campfire" + }, + { + "ingredients": "Golden CrescentFrosted Powder", + "result": "1x Frosted Crescent", + "station": "Cooking Pot" + }, + { + "ingredients": "Golden CrescentCool Rainbow JamFrosted Powder", + "result": "3x Frosted Delight", + "station": "Cooking Pot" + }, + { + "ingredients": "Golden CrescentGolden CrescentGolden CrescentGolden Crescent", + "result": "1x Golden Jam", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Baked Crescent", + "Golden Crescent", + "Campfire" + ], + [ + "1x Frosted Crescent", + "Golden CrescentFrosted Powder", + "Cooking Pot" + ], + [ + "3x Frosted Delight", + "Golden CrescentCool Rainbow JamFrosted Powder", + "Cooking Pot" + ], + [ + "1x Golden Jam", + "Golden CrescentGolden CrescentGolden CrescentGolden Crescent", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Golden Crescent (Gatherable)" + } + ], + "raw_rows": [ + [ + "Golden Crescent (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "1 - 24", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "1 - 24", + "43.2%", + "New Sirocco" + ] + ] + } + ], + "description": "Golden Crescent is an Item in Outward." + }, + { + "name": "Golden Iron Knuckles", + "url": "https://outward.fandom.com/wiki/Golden_Iron_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "23", + "Durability": "500", + "Impact": "18", + "Item Set": "Gold Set", + "Object ID": "2160021", + "Sell": "60", + "Stamina Cost": "2.4", + "Type": "Two-Handed", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2d/Golden_Iron_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20200616185432", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.4", + "damage": "23", + "description": "Four fast punches, right to left", + "impact": "18", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "29.9", + "description": "Forward-lunging left hook", + "impact": "23.4", + "input": "Special" + }, + { + "attacks": "1", + "cost": "2.88", + "damage": "29.9", + "description": "Left dodging, left uppercut", + "impact": "23.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "2.88", + "damage": "29.9", + "description": "Right dodging, right spinning hammer strike", + "impact": "23.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "23", + "18", + "2.4", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "29.9", + "23.4", + "3.12", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "29.9", + "23.4", + "2.88", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "29.9", + "23.4", + "2.88", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Iron Knuckles", + "upgrade": "Golden Iron Knuckles" + } + ], + "raw_rows": [ + [ + "Iron Knuckles", + "Golden Iron Knuckles" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + } + ], + "description": "Golden Iron Knuckles is a type of Weapon in Outward." + }, + { + "name": "Golden Jam", + "url": "https://outward.fandom.com/wiki/Golden_Jam", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 2", + "Hunger": "15%", + "Object ID": "4100800", + "Perish Time": "29 Days, 18 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6b/Golden_Jam.png/revision/latest/scale-to-width-down/83?cb=20201220074944", + "effects": [ + "Restores 15% Hunger", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Golden Jam", + "result_count": "1x", + "ingredients": [ + "Golden Crescent", + "Golden Crescent", + "Golden Crescent", + "Golden Crescent" + ], + "station": "Cooking Pot", + "source_page": "Golden Jam" + }, + { + "result": "Golden Tartine", + "result_count": "3x", + "ingredients": [ + "Golden Jam", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Golden Jam" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Golden Jam" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Golden Jam" + }, + { + "result": "Vagabond's Gelatin", + "result_count": "1x", + "ingredients": [ + "Cool Rainbow Jam", + "Golden Jam", + "Gaberry Jam", + "Marshmelon Jelly" + ], + "station": "Cooking Pot", + "source_page": "Golden Jam" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Golden Crescent Golden Crescent Golden Crescent Golden Crescent", + "result": "1x Golden Jam", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Golden Jam", + "Golden Crescent Golden Crescent Golden Crescent Golden Crescent", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Golden JamBread", + "result": "3x Golden Tartine", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + }, + { + "ingredients": "Cool Rainbow JamGolden JamGaberry JamMarshmelon Jelly", + "result": "1x Vagabond's Gelatin", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Golden Tartine", + "Golden JamBread", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ], + [ + "1x Vagabond's Gelatin", + "Cool Rainbow JamGolden JamGaberry JamMarshmelon Jelly", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Golden Jam is an Item in Outward." + }, + { + "name": "Golden Junk Claymore", + "url": "https://outward.fandom.com/wiki/Golden_Junk_Claymore", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "250", + "Class": "Swords", + "DLC": "The Soroboreans", + "Damage": "37", + "Durability": "400", + "Impact": "33", + "Item Set": "Gold Set", + "Object ID": "2100211", + "Sell": "75", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Golden_Junk_Claymore.png/revision/latest/scale-to-width-down/83?cb=20200616185433", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "37", + "description": "Two slashing strikes, left to right", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10", + "damage": "67", + "description": "Overhead downward-thrusting strike", + "impact": "24", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.5", + "damage": "47", + "description": "Spinning strike from the right", + "impact": "16.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.5", + "damage": "47", + "description": "Spinning strike from the left", + "impact": "16.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37", + "33", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "67", + "24", + "10", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "47", + "16.8", + "8.5", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "47", + "16.8", + "8.5", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Junk Claymore", + "upgrade": "Golden Junk Claymore" + } + ], + "raw_rows": [ + [ + "Junk Claymore", + "Golden Junk Claymore" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + } + ], + "description": "Golden Junk Claymore is a type of Weapon in Outward." + }, + { + "name": "Golden Shield", + "url": "https://outward.fandom.com/wiki/Golden_Shield", + "categories": [ + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "50", + "Class": "Shields", + "Damage": "18", + "Durability": "150", + "Impact": "41", + "Impact Resist": "14%", + "Item Set": "Gold Set", + "Object ID": "2300200", + "Sell": "15", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4e/Golden_Shield.png/revision/latest/scale-to-width-down/83?cb=20190629155323", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Plank Shield", + "upgrade": "Golden Shield" + } + ], + "raw_rows": [ + [ + "Plank Shield", + "Golden Shield" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Golden Shield is a type of Shield in Outward." + }, + { + "name": "Golden Tartine", + "url": "https://outward.fandom.com/wiki/Golden_Tartine", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 2", + "Hunger": "12.5%", + "Object ID": "4100810", + "Perish Time": "19 Days, 20 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/66/Golden_Tartine.png/revision/latest/scale-to-width-down/83?cb=20201220074945", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Golden Tartine", + "result_count": "3x", + "ingredients": [ + "Golden Jam", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Golden Tartine" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Golden Tartine" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Golden Tartine" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Golden Jam Bread", + "result": "3x Golden Tartine", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Golden Tartine", + "Golden Jam Bread", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Golden Tartine is an Item in Outward." + }, + { + "name": "Golem Elixir", + "url": "https://outward.fandom.com/wiki/Golem_Elixir", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "60", + "Effects": "Impact UpPossessedDiscipline", + "Object ID": "4300230", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Golem_Elixir.png/revision/latest/scale-to-width-down/83?cb=20190410154547", + "effects": [ + "Player receives Impact Up", + "Player receives Possessed", + "Player receives Discipline" + ], + "effect_links": [ + "/wiki/Possessed", + "/wiki/Discipline" + ], + "recipes": [ + { + "result": "Golem Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Occult Remains", + "Blue Sand", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Golem Elixir" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Occult Remains Blue Sand Crystal Powder", + "result": "1x Golem Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Golem Elixir", + "Water Occult Remains Blue Sand Crystal Powder", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "31.7%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Robyn Garnet, Alchemist", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Laine the Alchemist", + "1 - 5", + "31.7%", + "Monsoon" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "16.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Matriarch" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Specter (Cannon)" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Specter (Melee)" + } + ], + "raw_rows": [ + [ + "Golden Matriarch", + "1", + "8.3%" + ], + [ + "Golden Specter (Cannon)", + "1", + "8.3%" + ], + [ + "Golden Specter (Melee)", + "1", + "8.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1 - 2", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1 - 2", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1 - 2", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Golem Elixir is a Potion item in Outward." + }, + { + "name": "Golem Rapier", + "url": "https://outward.fandom.com/wiki/Golem_Rapier", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "1000", + "Class": "Swords", + "Damage": "39", + "Durability": "350", + "Impact": "39", + "Object ID": "2100060", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8a/Golem_Rapier.png/revision/latest?cb=20190413074049", + "recipes": [ + { + "result": "Golem Rapier", + "result_count": "1x", + "ingredients": [ + "Broken Golem Rapier", + "Broken Golem Rapier", + "Palladium Scrap", + "Crystal Powder" + ], + "station": "None", + "source_page": "Golem Rapier" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Golem Rapier" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "39", + "description": "Two slashing strikes, left to right", + "impact": "39", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.36", + "damage": "58.5", + "description": "Overhead downward-thrusting strike", + "impact": "58.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "49.33", + "description": "Spinning strike from the right", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "49.33", + "description": "Spinning strike from the left", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "39", + "39", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "58.5", + "58.5", + "9.36", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "49.33", + "42.9", + "7.92", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.33", + "42.9", + "7.92", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Broken Golem Rapier Broken Golem Rapier Palladium Scrap Crystal Powder", + "result": "1x Golem Rapier", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Golem Rapier", + "Broken Golem Rapier Broken Golem Rapier Palladium Scrap Crystal Powder", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Golem Rapier is a two-handed sword in Outward." + }, + { + "name": "GorkKrog!", + "url": "https://outward.fandom.com/wiki/GorkKrog!", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Damage Bonus": "25%", + "Damage Resist": "50%", + "Durability": "∞", + "Impact Resist": "60%", + "Object ID": "3900001", + "Protection": "10", + "Sell": "6", + "Slot": "Head", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9e/GorkKrog%21.png/revision/latest/scale-to-width-down/83?cb=20210110081141", + "recipes": [ + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "GorkKrog!" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Armor Blood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x GorkKrog!", + "Basic Armor Blood Mushroom", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "GorkKrog! is a type of Equipment in Outward, which can only be used by Troglodyte players." + }, + { + "name": "GoulgGalog!", + "url": "https://outward.fandom.com/wiki/GoulgGalog!", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Damage Bonus": "100%", + "Damage Resist": "15% 60%", + "Durability": "∞", + "Impact Resist": "0%", + "Object ID": "3900003", + "Pouch Bonus": "15", + "Sell": "6", + "Slot": "Head", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a9/GoulgGalog%21.png/revision/latest/scale-to-width-down/83?cb=20210110081143", + "recipes": [ + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "GoulgGalog!" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Armor Grilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x GoulgGalog!", + "Basic Armor Grilled Mushroom", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "GoulgGalog! is a type of Equipment in Outward, which can only be used by Troglodyte players." + }, + { + "name": "Gravel Beetle", + "url": "https://outward.fandom.com/wiki/Gravel_Beetle", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "Effects": "Impact Resistance Up", + "Hunger": "5%", + "Object ID": "4000211", + "Perish Time": "29 Days 18 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/32/Gravel_Beetle.png/revision/latest?cb=20190525074732", + "effects": [ + "Restores 50 Hunger", + "Player receives Impact Resistance Up" + ], + "recipes": [ + { + "result": "Cool Potion", + "result_count": "3x", + "ingredients": [ + "Gravel Beetle", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Gravel Beetle" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Gravel Beetle", + "Blood Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Gravel Beetle" + }, + { + "result": "Mineral Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Gravel Beetle" + }, + { + "result": "Rage Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Smoke Root", + "Gravel Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Gravel Beetle" + }, + { + "result": "Savage Stew", + "result_count": "3x", + "ingredients": [ + "Raw Alpha Meat", + "Marshmelon", + "Gravel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Gravel Beetle" + }, + { + "result": "Stoneflesh Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle", + "Insect Husk", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Gravel Beetle" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gravel BeetleWater", + "result": "3x Cool Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gravel BeetleBlood MushroomWater", + "result": "1x Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGravel Beetle", + "result": "1x Mineral Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSmoke RootGravel Beetle", + "result": "3x Rage Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Raw Alpha MeatMarshmelonGravel Beetle", + "result": "3x Savage Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterGravel BeetleInsect HuskCrystal Powder", + "result": "1x Stoneflesh Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Cool Potion", + "Gravel BeetleWater", + "Alchemy Kit" + ], + [ + "1x Life Potion", + "Gravel BeetleBlood MushroomWater", + "Alchemy Kit" + ], + [ + "1x Mineral Tea", + "WaterGravel Beetle", + "Cooking Pot" + ], + [ + "3x Rage Potion", + "WaterSmoke RootGravel Beetle", + "Alchemy Kit" + ], + [ + "3x Savage Stew", + "Raw Alpha MeatMarshmelonGravel Beetle", + "Cooking Pot" + ], + [ + "1x Stoneflesh Elixir", + "WaterGravel BeetleInsect HuskCrystal Powder", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "60.4%", + "quantity": "1 - 2", + "source": "Iron Vein (Tourmaline)" + }, + { + "chance": "60.4%", + "quantity": "1 - 2", + "source": "Rich Iron Vein (Tourmaline)" + }, + { + "chance": "53.4%", + "quantity": "1 - 2", + "source": "Rich Iron Vein" + }, + { + "chance": "34.5%", + "quantity": "1", + "source": "Palladium Vein" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Chalcedony Vein" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Cold Mana Stone Vein" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Hexa Stone Vein" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Mana Stone Vein" + }, + { + "chance": "31%", + "quantity": "1", + "source": "Palladium Vein (Tourmaline)" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Ammolite Vein" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Oil Node" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Petrified Wood Vein" + }, + { + "chance": "23.3%", + "quantity": "1", + "source": "Iron Vein" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Iron Vein (Vendavel)" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Salt Crystal" + } + ], + "raw_rows": [ + [ + "Iron Vein (Tourmaline)", + "1 - 2", + "60.4%" + ], + [ + "Rich Iron Vein (Tourmaline)", + "1 - 2", + "60.4%" + ], + [ + "Rich Iron Vein", + "1 - 2", + "53.4%" + ], + [ + "Palladium Vein", + "1", + "34.5%" + ], + [ + "Chalcedony Vein", + "1", + "33.3%" + ], + [ + "Cold Mana Stone Vein", + "1", + "33.3%" + ], + [ + "Hexa Stone Vein", + "1", + "33.3%" + ], + [ + "Mana Stone Vein", + "1", + "33.3%" + ], + [ + "Palladium Vein (Tourmaline)", + "1", + "31%" + ], + [ + "Ammolite Vein", + "1", + "25%" + ], + [ + "Oil Node", + "1", + "25%" + ], + [ + "Petrified Wood Vein", + "1", + "25%" + ], + [ + "Iron Vein", + "1", + "23.3%" + ], + [ + "Iron Vein (Vendavel)", + "1", + "20%" + ], + [ + "Salt Crystal", + "1", + "20%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1 - 3", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 2", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1 - 3", + "source": "Silver-Nose the Trader" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "2 - 24", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "33.8%", + "locations": "Levant", + "quantity": "2", + "source": "Tuan the Alchemist" + }, + { + "chance": "26.5%", + "locations": "New Sirocco", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 12", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 12", + "source": "Fourth Watcher" + }, + { + "chance": "25.8%", + "locations": "Antique Plateau", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Harmattan", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Levant", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Abrassar", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Caldera", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Gold Belly", + "1 - 3", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "1 - 2", + "100%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Silver-Nose the Trader", + "1 - 3", + "100%", + "Hallowed Marsh" + ], + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Brad Aberdeen, Chef", + "2 - 24", + "43.2%", + "New Sirocco" + ], + [ + "Tuan the Alchemist", + "2", + "33.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "26.5%", + "New Sirocco" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 12", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 12", + "25.9%", + "Conflux Chambers" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "25.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "25.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "25.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "23.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "23.4%", + "Caldera" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Pearlbird Cutthroat" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Hive Lord" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Tyrant of the Hive" + }, + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Gastrocin" + }, + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Quartz Gastrocin" + }, + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Volcanic Gastrocin" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Virulent Hiveman" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Walking Hive" + }, + { + "chance": "13.3%", + "quantity": "1 - 2", + "source": "Fire Beetle" + }, + { + "chance": "11.3%", + "quantity": "1 - 2", + "source": "Assassin Bug" + }, + { + "chance": "11.3%", + "quantity": "1 - 2", + "source": "Executioner Bug" + } + ], + "raw_rows": [ + [ + "Pearlbird Cutthroat", + "3", + "100%" + ], + [ + "Hive Lord", + "1", + "50%" + ], + [ + "Tyrant of the Hive", + "1", + "50%" + ], + [ + "Gastrocin", + "1 - 4", + "41.4%" + ], + [ + "Quartz Gastrocin", + "1 - 4", + "41.4%" + ], + [ + "Volcanic Gastrocin", + "1 - 4", + "41.4%" + ], + [ + "Virulent Hiveman", + "1", + "25%" + ], + [ + "Walking Hive", + "1", + "25%" + ], + [ + "Fire Beetle", + "1 - 2", + "13.3%" + ], + [ + "Assassin Bug", + "1 - 2", + "11.3%" + ], + [ + "Executioner Bug", + "1 - 2", + "11.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Compromised Mana Transfer Station, Under Island", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Compromised Mana Transfer Station, Under Island" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Abandoned Living Quarters" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress" + ] + ] + } + ], + "description": "Gravel Beetle is a type of Food, used in various Potions." + }, + { + "name": "Gray Garb", + "url": "https://outward.fandom.com/wiki/Gray_Garb", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "3", + "Damage Resist": "3%", + "Durability": "90", + "Impact Resist": "2%", + "Object ID": "3000006", + "Sell": "3", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/41/Gray_Garb.png/revision/latest?cb=20190415115639", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Gray Garb" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Gray Garb" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Gray Garb" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Gray Garb" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Gray Garb" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Gray Garb" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Gray Garb" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Gray Garb" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Gray Garb" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "7.3%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "7.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.6%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "2%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "2%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "2%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Broken Tent", + "1", + "4.6%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "2%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "2%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "2%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "2%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "2%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "2%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ] + ] + } + ], + "description": "Gray Garb is a type of Armor in Outward." + }, + { + "name": "Greasy Fern", + "url": "https://outward.fandom.com/wiki/Greasy_Fern", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "30", + "Object ID": "6000020", + "Sell": "9", + "Type": "Ingredient", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1f/Greasy_Fern.png/revision/latest/scale-to-width-down/83?cb=20190411234743", + "recipes": [ + { + "result": "Great Life Potion", + "result_count": "1x", + "ingredients": [ + "Life Potion", + "Greasy Fern" + ], + "station": "Alchemy Kit", + "source_page": "Greasy Fern" + }, + { + "result": "Hex Cleaner", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Greasy Fern" + }, + { + "result": "Weather Defense Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Greasy Fern" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Life PotionGreasy Fern", + "result": "1x Great Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernLivweediSalt", + "result": "1x Hex Cleaner", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernCrystal Powder", + "result": "1x Weather Defense Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Great Life Potion", + "Life PotionGreasy Fern", + "Alchemy Kit" + ], + [ + "1x Hex Cleaner", + "WaterGreasy FernLivweediSalt", + "Alchemy Kit" + ], + [ + "1x Weather Defense Potion", + "WaterGreasy FernCrystal Powder", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Greasy Fern (Gatherable)" + } + ], + "raw_rows": [ + [ + "Greasy Fern (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "2 - 3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Vay the Alchemist" + }, + { + "chance": "48%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.8%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 18", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 18", + "source": "Fourth Watcher" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "1", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "2 - 3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "3", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "1", + "100%", + "Harmattan" + ], + [ + "Vay the Alchemist", + "3", + "100%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "48%", + "Monsoon" + ], + [ + "Tuan the Alchemist", + "3", + "33.8%", + "Levant" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 18", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 18", + "25.9%", + "Conflux Chambers" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.1%", + "locations": "Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 4", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "1 - 4", + "22.1%", + "Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 4", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 4", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "14.8%", + "Ark of the Exiled, Forest Hives" + ] + ] + } + ], + "description": "Greasy Fern is a type of ingredient commonly used in Alchemy, in Outward." + }, + { + "name": "Greasy Tea", + "url": "https://outward.fandom.com/wiki/Greasy_Tea", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "10", + "DLC": "The Three Brothers", + "Drink": "7%", + "Effects": "Restores 20 burnt HealthCures Ambraine Withdrawal.", + "Object ID": "4200110", + "Perish Time": "∞", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/45/Greasy_Tea.png/revision/latest/scale-to-width-down/83?cb=20201220074947", + "effects": [ + "Restores 7% Thirst", + "Restores 20 burnt Health", + "Removes Ambraine Withdrawal" + ], + "recipes": [ + { + "result": "Greasy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Cooking Pot", + "source_page": "Greasy Tea" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Crysocolla Beetle", + "result": "1x Greasy Tea", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Greasy Tea", + "Water Crysocolla Beetle", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "3 - 5", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "10%", + "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "10%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "10%", + "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Greasy Tea is an Item in Outward." + }, + { + "name": "Great Astral Potion", + "url": "https://outward.fandom.com/wiki/Great_Astral_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "60", + "Effects": "Restores 100% ManaRestores 20 Burnt Mana", + "Object ID": "4300250", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d0/Great_Astral_Potion.png/revision/latest/scale-to-width-down/83?cb=20190410154017", + "effects": [ + "Restores 100% of max Mana", + "Restores 20 Burnt Mana" + ], + "recipes": [ + { + "result": "Great Astral Potion", + "result_count": "1x", + "ingredients": [ + "Astral Potion", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Great Astral Potion" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Manticore Tail", + "Blood Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Great Astral Potion" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Alpha Tuanosaur Tail", + "Star Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Great Astral Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Astral Potion Ghost's Eye", + "result": "1x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Water Manticore Tail Blood Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Water Alpha Tuanosaur Tail Star Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Great Astral Potion", + "Astral Potion Ghost's Eye", + "Alchemy Kit" + ], + [ + "3x Great Astral Potion", + "Water Manticore Tail Blood Mushroom", + "Alchemy Kit" + ], + [ + "3x Great Astral Potion", + "Water Alpha Tuanosaur Tail Star Mushroom", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "44.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "31.7%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "31.7%", + "locations": "Harmattan", + "quantity": "2", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Pholiota/High Stock", + "3", + "44.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Laine the Alchemist", + "1 - 5", + "31.7%", + "Monsoon" + ], + [ + "Ryan Sullivan, Arcanist", + "2", + "31.7%", + "Harmattan" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "16.3%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "67.2%", + "quantity": "1 - 5", + "source": "Pure Illuminator" + }, + { + "chance": "47.2%", + "quantity": "1 - 5", + "source": "Ash Giant Priest" + }, + { + "chance": "47.2%", + "quantity": "1 - 5", + "source": "Giant Hunter" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Friendly Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Raider" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Warlock" + }, + { + "chance": "18.6%", + "quantity": "1 - 4", + "source": "Ash Giant" + } + ], + "raw_rows": [ + [ + "Pure Illuminator", + "1 - 5", + "67.2%" + ], + [ + "Ash Giant Priest", + "1 - 5", + "47.2%" + ], + [ + "Giant Hunter", + "1 - 5", + "47.2%" + ], + [ + "Friendly Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate Raider", + "1 - 5", + "41%" + ], + [ + "Immaculate Warlock", + "1 - 5", + "41%" + ], + [ + "Ash Giant", + "1 - 4", + "18.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.1%", + "locations": "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.1%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "11.1%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "11.1%", + "locations": "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "11.1%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Hallowed Marsh, Reptilian Lair", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "11.1%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "11.1%", + "locations": "Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "11.1%", + "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco" + ], + [ + "Calygrey Chest", + "1 - 2", + "11.1%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "11.1%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "11.1%", + "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone" + ], + [ + "Corpse", + "1 - 2", + "11.1%", + "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Antique Plateau, Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1 - 2", + "11.1%", + "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "11.1%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 2", + "11.1%", + "Voltaic Hatchery" + ] + ] + } + ], + "description": "Great Astral Potion is a Potion item in Outward." + }, + { + "name": "Great Endurance Potion", + "url": "https://outward.fandom.com/wiki/Great_Endurance_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "60", + "Effects": "Restores 100 StaminaRestores 50 Burnt StaminaGrants Stamina Recovery 5", + "Object ID": "4300260", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/69/Great_Endurance_Potion.png/revision/latest?cb=20190410154028", + "effects": [ + "Restores 100 Stamina", + "Restores 50 Burnt Stamina", + "Player receives Stamina Recovery (level 5)" + ], + "recipes": [ + { + "result": "Great Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Endurance Potion" + ], + "station": "Alchemy Kit", + "source_page": "Great Endurance Potion" + }, + { + "result": "Great Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Common Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Great Endurance Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Krimp Nut Endurance Potion", + "result": "1x Great Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Obsidian Shard Common Mushroom Water", + "result": "1x Great Endurance Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Great Endurance Potion", + "Krimp Nut Endurance Potion", + "Alchemy Kit" + ], + [ + "1x Great Endurance Potion", + "Obsidian Shard Common Mushroom Water", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "44.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "31.7%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "31.7%", + "locations": "Harmattan", + "quantity": "2", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Pholiota/High Stock", + "3", + "44.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Laine the Alchemist", + "1 - 5", + "31.7%", + "Monsoon" + ], + [ + "Ryan Sullivan, Arcanist", + "2", + "31.7%", + "Harmattan" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "16.3%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "67.2%", + "quantity": "1 - 5", + "source": "Pure Illuminator" + }, + { + "chance": "67.2%", + "quantity": "1 - 5", + "source": "Sublime Shell" + }, + { + "chance": "47.2%", + "quantity": "1 - 5", + "source": "Ash Giant Priest" + }, + { + "chance": "47.2%", + "quantity": "1 - 5", + "source": "Giant Hunter" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Friendly Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Raider" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Warlock" + }, + { + "chance": "18.6%", + "quantity": "1 - 4", + "source": "Ash Giant" + } + ], + "raw_rows": [ + [ + "Pure Illuminator", + "1 - 5", + "67.2%" + ], + [ + "Sublime Shell", + "1 - 5", + "67.2%" + ], + [ + "Ash Giant Priest", + "1 - 5", + "47.2%" + ], + [ + "Giant Hunter", + "1 - 5", + "47.2%" + ], + [ + "Friendly Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate Raider", + "1 - 5", + "41%" + ], + [ + "Immaculate Warlock", + "1 - 5", + "41%" + ], + [ + "Ash Giant", + "1 - 4", + "18.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1 - 2", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1 - 2", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1 - 2", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Great Endurance Potion is potion item in Outward." + }, + { + "name": "Great Life Potion", + "url": "https://outward.fandom.com/wiki/Great_Life_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "60", + "Effects": "Restores 300 HealthRestores 20 Burnt HealthCures Bleeding", + "Object ID": "4300240", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c4/Great_Life_Potion.png/revision/latest?cb=20190410153704", + "effects": [ + "Restores 300 Health", + "Restores 20 Burnt Health", + "Removes Bleeding" + ], + "effect_links": [ + "/wiki/Bleeding" + ], + "recipes": [ + { + "result": "Great Life Potion", + "result_count": "1x", + "ingredients": [ + "Life Potion", + "Greasy Fern" + ], + "station": "Alchemy Kit", + "source_page": "Great Life Potion" + }, + { + "result": "Great Life Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Horror Chitin", + "Krimp Nut" + ], + "station": "Alchemy Kit", + "source_page": "Great Life Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Life Potion Greasy Fern", + "result": "1x Great Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Water Horror Chitin Krimp Nut", + "result": "3x Great Life Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Great Life Potion", + "Life Potion Greasy Fern", + "Alchemy Kit" + ], + [ + "3x Great Life Potion", + "Water Horror Chitin Krimp Nut", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "44.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "31.7%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "31.7%", + "locations": "Harmattan", + "quantity": "2", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Pholiota/High Stock", + "3", + "44.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Laine the Alchemist", + "1 - 5", + "31.7%", + "Monsoon" + ], + [ + "Ryan Sullivan, Arcanist", + "2", + "31.7%", + "Harmattan" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "16.3%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Giant Hunter" + }, + { + "chance": "67.2%", + "quantity": "1 - 5", + "source": "Sublime Shell" + }, + { + "chance": "47.2%", + "quantity": "1 - 5", + "source": "Ash Giant Priest" + }, + { + "chance": "47.2%", + "quantity": "1 - 5", + "source": "Giant Hunter" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Friendly Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Raider" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Warlock" + }, + { + "chance": "18.6%", + "quantity": "1 - 4", + "source": "Ash Giant" + } + ], + "raw_rows": [ + [ + "Giant Hunter", + "2 - 3", + "100%" + ], + [ + "Sublime Shell", + "1 - 5", + "67.2%" + ], + [ + "Ash Giant Priest", + "1 - 5", + "47.2%" + ], + [ + "Giant Hunter", + "1 - 5", + "47.2%" + ], + [ + "Friendly Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate Raider", + "1 - 5", + "41%" + ], + [ + "Immaculate Warlock", + "1 - 5", + "41%" + ], + [ + "Ash Giant", + "1 - 4", + "18.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1 - 2", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1 - 2", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1 - 2", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Great Life Potion is a Potion item in Outward." + }, + { + "name": "Great Runic Blade", + "url": "https://outward.fandom.com/wiki/Great_Runic_Blade", + "categories": [ + "Items", + "Weapons", + "Swords", + "Skill Combinations" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "0", + "Class": "Swords", + "Damage": "39", + "Durability": "∞", + "Impact": "19", + "Object ID": "2100999", + "Sell": "0", + "Stamina Cost": "6.3", + "Type": "Two-Handed", + "Weight": "0.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c4/Great_Runic_Blade.png/revision/latest?cb=20190920085413", + "effects": [ + "Acts as a Lexicon" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.3", + "damage": "39", + "description": "Two slashing strikes, left to right", + "impact": "19", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.2", + "damage": "58.5", + "description": "Overhead downward-thrusting strike", + "impact": "28.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.9", + "damage": "49.34", + "description": "Spinning strike from the right", + "impact": "20.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.9", + "damage": "49.34", + "description": "Spinning strike from the left", + "impact": "20.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "39", + "19", + "6.3", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "58.5", + "28.5", + "8.2", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "49.34", + "20.9", + "6.9", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.34", + "20.9", + "6.9", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "headers": [ + "Prereq", + "Combination", + "Effects" + ], + "rows": [ + { + "combination": "Runic Blade \u003e \u003e", + "effects": "Summons a Great Runic Blade for 180 seconds Deals 39 ethereal damage and 19 impact Lasts until timer expires, or unequipped", + "prereq": "Arcane Syntax" + } + ], + "raw_rows": [ + [ + "Arcane Syntax", + "Runic Blade \u003e \u003e", + "Summons a Great Runic Blade for 180 seconds Deals 39 ethereal damage and 19 impact Lasts until timer expires, or unequipped" + ] + ] + }, + { + "headers": [ + "Prereq", + "Combination" + ], + "rows": [ + { + "combination": "Runic Blade \u003e \u003e", + "prereq": "Arcane Syntax" + } + ], + "raw_rows": [ + [ + "Arcane Syntax", + "Runic Blade \u003e \u003e" + ] + ] + } + ], + "description": "Great Runic Blade is a magical sword summoned using Rune Magic, taught by Flase in Berg. This spell requires Arcane Syntax." + }, + { + "name": "Green Copal Armor", + "url": "https://outward.fandom.com/wiki/Green_Copal_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "550", + "Damage Resist": "22% 30% 20%", + "Durability": "375", + "Impact Resist": "15%", + "Item Set": "Green Copal Set", + "Object ID": "3000310", + "Protection": "3", + "Sell": "165", + "Slot": "Chest", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/08/Green_Copal_Armor.png/revision/latest?cb=20190629155325", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Copal Armor", + "upgrade": "Green Copal Armor" + } + ], + "raw_rows": [ + [ + "Copal Armor", + "Green Copal Armor" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +25% Ethereal damage bonus", + "enchantment": "Spirit of Berg" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Berg", + "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +25% Ethereal damage bonus" + ] + ] + } + ], + "description": "Green Copal Armor is a type of Armor in Outward." + }, + { + "name": "Green Copal Boots", + "url": "https://outward.fandom.com/wiki/Green_Copal_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "300", + "Damage Resist": "8% 15% 10%", + "Durability": "375", + "Impact Resist": "7%", + "Item Set": "Green Copal Set", + "Object ID": "3000312", + "Protection": "2", + "Sell": "90", + "Slot": "Legs", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ad/Green_Copal_Boots.png/revision/latest?cb=20190629155328", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Copal Boots", + "upgrade": "Green Copal Boots" + } + ], + "raw_rows": [ + [ + "Copal Boots", + "Green Copal Boots" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Green Copal Boots is a type of Armor in Outward." + }, + { + "name": "Green Copal Helmet", + "url": "https://outward.fandom.com/wiki/Green_Copal_Helmet", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Damage Resist": "8% 15% 10%", + "Durability": "375", + "Impact Resist": "9%", + "Item Set": "Green Copal Set", + "Mana Cost": "10%", + "Object ID": "3000311", + "Protection": "2", + "Sell": "90", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cf/Green_Copal_Helmet.png/revision/latest?cb=20190629155329", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Copal Helm", + "upgrade": "Green Copal Helmet" + } + ], + "raw_rows": [ + [ + "Copal Helm", + "Green Copal Helmet" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Green Copal Helmet is a type of Armor in Outward." + }, + { + "name": "Green Copal Set", + "url": "https://outward.fandom.com/wiki/Green_Copal_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1150", + "Damage Resist": "38% 60% 40%", + "Durability": "1125", + "Impact Resist": "31%", + "Mana Cost": "10%", + "Object ID": "3000310 (Chest)3000312 (Legs)3000311 (Head)", + "Protection": "7", + "Sell": "345", + "Slot": "Set", + "Weight": "18.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3b/Green_Copal_Set.png/revision/latest/scale-to-width-down/250?cb=20190910071549", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "15%", + "column_5": "3", + "column_6": "–", + "durability": "375", + "name": "Green Copal Armor", + "resistances": "22% 30% 20%", + "weight": "9.0" + }, + { + "class": "Boots", + "column_4": "7%", + "column_5": "2", + "column_6": "–", + "durability": "375", + "name": "Green Copal Boots", + "resistances": "8% 15% 10%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "2", + "column_6": "10%", + "durability": "375", + "name": "Green Copal Helmet", + "resistances": "8% 15% 10%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Green Copal Armor", + "22% 30% 20%", + "15%", + "3", + "–", + "375", + "9.0", + "Body Armor" + ], + [ + "", + "Green Copal Boots", + "8% 15% 10%", + "7%", + "2", + "–", + "375", + "6.0", + "Boots" + ], + [ + "", + "Green Copal Helmet", + "8% 15% 10%", + "9%", + "2", + "10%", + "375", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "15%", + "column_5": "3", + "column_6": "–", + "durability": "375", + "name": "Green Copal Armor", + "resistances": "22% 30% 20%", + "weight": "9.0" + }, + { + "class": "Boots", + "column_4": "7%", + "column_5": "2", + "column_6": "–", + "durability": "375", + "name": "Green Copal Boots", + "resistances": "8% 15% 10%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "2", + "column_6": "10%", + "durability": "375", + "name": "Green Copal Helmet", + "resistances": "8% 15% 10%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Green Copal Armor", + "22% 30% 20%", + "15%", + "3", + "–", + "375", + "9.0", + "Body Armor" + ], + [ + "", + "Green Copal Boots", + "8% 15% 10%", + "7%", + "2", + "–", + "375", + "6.0", + "Boots" + ], + [ + "", + "Green Copal Helmet", + "8% 15% 10%", + "9%", + "2", + "10%", + "375", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Green Copal Set is a Set in Outward." + }, + { + "name": "Green Garb", + "url": "https://outward.fandom.com/wiki/Green_Garb", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "3", + "Damage Resist": "3%", + "Durability": "90", + "Impact Resist": "2%", + "Object ID": "3000008", + "Sell": "3", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f8/Green_Garb.png/revision/latest?cb=20190415115815", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Green Garb" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Green Garb" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Green Garb" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Green Garb" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Green Garb" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Green Garb" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Green Garb" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Green Garb" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Green Garb" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "7.3%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "7.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.6%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "2%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "2%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "2%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Broken Tent", + "1", + "4.6%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "2%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "2%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "2%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "2%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "2%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "2%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ] + ] + } + ], + "description": "Green Garb is a type of Armor in Outward." + }, + { + "name": "Green Worker Attire", + "url": "https://outward.fandom.com/wiki/Green_Worker_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "6", + "Damage Resist": "3%", + "Durability": "90", + "Impact Resist": "2%", + "Item Set": "Worker Set", + "Object ID": "3000082", + "Sell": "3", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b4/Green_Worker_Attire.png/revision/latest?cb=20190415120551", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Green Worker Attire" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Green Worker Attire" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Green Worker Attire" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Green Worker Attire" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Green Worker Attire" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Green Worker Attire" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Green Worker Attire" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Green Worker Attire" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Green Worker Attire" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.8%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "1.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "1.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "3%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "3%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "3%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "3%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "3%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "1.8%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "1.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "1.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "1.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Green Worker Attire is a type of Armor in Outward." + }, + { + "name": "Griigmerk kÄramerk", + "url": "https://outward.fandom.com/wiki/Griigmerk_k%C3%84ramerk", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2500", + "Class": "Spears", + "Damage": "54.4 9.6", + "Durability": "200", + "Impact": "35", + "Object ID": "2130160", + "Sell": "750", + "Stamina Cost": "5.6", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a9/Griigmerk_k%C3%84ramerk.png/revision/latest/scale-to-width-down/83?cb=20190629155138", + "recipes": [ + { + "result": "Griigmerk kÄramerk", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Scourge's Tears", + "Haunted Memory", + "Calixa's Relic" + ], + "station": "None", + "source_page": "Griigmerk kÄramerk" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "54.4 9.6", + "description": "Two forward-thrusting stabs", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7", + "damage": "76.16 13.44", + "description": "Forward-lunging strike", + "impact": "42", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "70.72 12.48", + "description": "Left-sweeping strike, jump back", + "impact": "42", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "65.28 11.52", + "description": "Fast spinning strike from the right", + "impact": "38.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "54.4 9.6", + "35", + "5.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "76.16 13.44", + "42", + "7", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "70.72 12.48", + "42", + "7", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "65.28 11.52", + "38.5", + "7", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Scourge's Tears Haunted Memory Calixa's Relic", + "result": "1x Griigmerk kÄramerk", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Griigmerk kÄramerk", + "Gep's Generosity Scourge's Tears Haunted Memory Calixa's Relic", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Griigmerk kÄramerk is a type of Two-Handed Spear weapon in Outward." + }, + { + "name": "Grilled Crabeye Seed", + "url": "https://outward.fandom.com/wiki/Grilled_Crabeye_Seed", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Extreme Poison", + "Hunger": "7.5%", + "Object ID": "4100570", + "Perish Time": "14 Days 21 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/99/Grilled_Crabeye_Seed.png/revision/latest/scale-to-width-down/83?cb=20190410205124", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Extreme Poison" + ], + "recipes": [ + { + "result": "Grilled Crabeye Seed", + "result_count": "1x", + "ingredients": [ + "Crabeye Seed" + ], + "station": "Campfire", + "source_page": "Grilled Crabeye Seed" + }, + { + "result": "Charge – Toxic", + "result_count": "3x", + "ingredients": [ + "Grilled Crabeye Seed", + "Grilled Crabeye Seed", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Grilled Crabeye Seed" + }, + { + "result": "Dark Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Occult Remains", + "Mana Stone", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Grilled Crabeye Seed" + }, + { + "result": "Poison Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Grilled Crabeye Seed" + }, + { + "result": "Poison Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Grilled Crabeye Seed" + ], + "station": "None", + "source_page": "Grilled Crabeye Seed" + }, + { + "result": "Poison Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Occult Remains", + "Miasmapod", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Grilled Crabeye Seed" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Crabeye Seed", + "result": "1x Grilled Crabeye Seed", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Crabeye Seed", + "Crabeye Seed", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Grilled Crabeye SeedGrilled Crabeye SeedSalt", + "result": "3x Charge – Toxic", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineOccult RemainsMana StoneGrilled Crabeye Seed", + "result": "1x Dark Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodGrilled Crabeye Seed", + "result": "5x Poison Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Linen ClothGrilled Crabeye Seed", + "result": "1x Poison Rag", + "station": "None" + }, + { + "ingredients": "Gaberry WineOccult RemainsMiasmapodGrilled Crabeye Seed", + "result": "1x Poison Varnish", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Charge – Toxic", + "Grilled Crabeye SeedGrilled Crabeye SeedSalt", + "Alchemy Kit" + ], + [ + "1x Dark Varnish", + "Gaberry WineOccult RemainsMana StoneGrilled Crabeye Seed", + "Alchemy Kit" + ], + [ + "5x Poison Arrow", + "Arrowhead KitWoodGrilled Crabeye Seed", + "Alchemy Kit" + ], + [ + "1x Poison Rag", + "Linen ClothGrilled Crabeye Seed", + "None" + ], + [ + "1x Poison Varnish", + "Gaberry WineOccult RemainsMiasmapodGrilled Crabeye Seed", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Grilled Crabeye Seed is a Food item in Outward." + }, + { + "name": "Grilled Eel", + "url": "https://outward.fandom.com/wiki/Grilled_Eel", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "3", + "DLC": "The Soroboreans", + "Effects": "Mana Ratio Recovery 1Removes Weaken", + "Hunger": "12.5%", + "Object ID": "4100630", + "Perish Time": "6 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6a/Grilled_Eel.png/revision/latest/scale-to-width-down/83?cb=20200616185436", + "effects": [ + "Player receives Mana Ratio Recovery (level 1)", + "Removes Weaken" + ], + "recipes": [ + { + "result": "Grilled Eel", + "result_count": "1x", + "ingredients": [ + "Antique Eel" + ], + "station": "Campfire", + "source_page": "Grilled Eel" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Grilled Eel" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Eel" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Grilled Eel" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Antique Eel", + "result": "1x Grilled Eel", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Eel", + "Antique Eel", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.3%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Chest" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "2 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "8.3%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 3", + "source": "Looter's Corpse" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "2 - 3", + "source": "Scavenger's Corpse" + }, + { + "chance": "8.3%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 3", + "source": "Soldier's Corpse" + }, + { + "chance": "8.3%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "2 - 3", + "8.3%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "2 - 3", + "8.3%", + "Harmattan" + ], + [ + "Knight's Corpse", + "2 - 3", + "8.3%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "2 - 3", + "8.3%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "2 - 3", + "8.3%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "2 - 3", + "8.3%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "2 - 3", + "8.3%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Grilled Eel is an Item in Outward." + }, + { + "name": "Grilled Manaheart Bass", + "url": "https://outward.fandom.com/wiki/Grilled_Manaheart_Bass", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "10", + "DLC": "The Soroboreans", + "Effects": "Mana Ratio Recovery 3Removes Sapped", + "Hunger": "7.5%", + "Object ID": "4100640", + "Perish Time": "8 Days", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fc/Grilled_Manaheart_Bass.png/revision/latest/scale-to-width-down/83?cb=20200616185437", + "effects": [ + "Player receives Mana Ratio Recovery (level 3)", + "Removes Sapped" + ], + "effect_links": [ + "/wiki/Sapped" + ], + "recipes": [ + { + "result": "Grilled Manaheart Bass", + "result_count": "1x", + "ingredients": [ + "Manaheart Bass" + ], + "station": "Campfire", + "source_page": "Grilled Manaheart Bass" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Grilled Manaheart Bass" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Manaheart Bass" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Grilled Manaheart Bass" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Manaheart Bass", + "result": "1x Grilled Manaheart Bass", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Manaheart Bass", + "Manaheart Bass", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5.6%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 2", + "5.6%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 2", + "5.6%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 2", + "5.6%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "5.6%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 2", + "5.6%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "5.6%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Grilled Manaheart Bass is an Item in Outward." + }, + { + "name": "Grilled Marshmelon", + "url": "https://outward.fandom.com/wiki/Grilled_Marshmelon", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Stamina Recovery 3Removes Poison effects", + "Hunger": "20%", + "Object ID": "4100380", + "Perish Time": "4 Days", + "Sell": "1", + "Type": "Food", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7b/Grilled_Marshmelon.png/revision/latest/scale-to-width-down/83?cb=20190410130421", + "effects": [ + "Restores 20% Hunger", + "Player receives Stamina Recovery (level 3)", + "Removes Poison effects" + ], + "recipes": [ + { + "result": "Grilled Marshmelon", + "result_count": "1x", + "ingredients": [ + "Marshmelon" + ], + "station": "Campfire", + "source_page": "Grilled Marshmelon" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Grilled Marshmelon" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Marshmelon" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Grilled Marshmelon" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Marshmelon" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Grilled Marshmelon" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Marshmelon", + "result": "1x Grilled Marshmelon", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Marshmelon", + "Marshmelon", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Grilled Marshmelon is a Food item in Outward." + }, + { + "name": "Grilled Mushroom", + "url": "https://outward.fandom.com/wiki/Grilled_Mushroom", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "N/A", + "Effects": "—", + "Hunger": "5%", + "Object ID": "4100340", + "Perish Time": "9 Days 22 Hours", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bf/Grilled_Mushroom.png/revision/latest/scale-to-width-down/83?cb=20190410132033", + "effects": [ + "Restores 50 Hunger" + ], + "recipes": [ + { + "result": "Grilled Mushroom", + "result_count": "1x", + "ingredients": [ + "Common Mushroom" + ], + "station": "Campfire", + "source_page": "Grilled Mushroom" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Grilled Mushroom" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Grilled Mushroom" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Mushroom" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Grilled Mushroom" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Common Mushroom", + "result": "1x Grilled Mushroom", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Mushroom", + "Common Mushroom", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Grilled Mushroom is a food item in Outward and a type of Mushroom." + }, + { + "name": "Grilled Nightmare Mushroom", + "url": "https://outward.fandom.com/wiki/Grilled_Nightmare_Mushroom", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "3", + "DLC": "The Soroboreans", + "Effects": "Add Alert levelRestores 60 Stamina", + "Hunger": "7.5%", + "Object ID": "4100650", + "Perish Time": "5 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b2/Grilled_Nightmare_Mushroom.png/revision/latest/scale-to-width-down/83?cb=20200616185438", + "effects": [ + "Restores 7.5% Hunger", + "Restores 60 Stamina", + "Player receives Alert" + ], + "recipes": [ + { + "result": "Grilled Nightmare Mushroom", + "result_count": "1x", + "ingredients": [ + "Nightmare Mushroom" + ], + "station": "Campfire", + "source_page": "Grilled Nightmare Mushroom" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Nightmare Mushroom", + "result": "1x Grilled Nightmare Mushroom", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Nightmare Mushroom", + "Nightmare Mushroom", + "Campfire" + ] + ] + } + ], + "description": "Grilled Nightmare Mushroom is an Item in Outward." + }, + { + "name": "Grilled Pypherfish", + "url": "https://outward.fandom.com/wiki/Grilled_Pypherfish", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "9", + "DLC": "The Three Brothers", + "Effects": "Mana Ratio Recovery 2PoisonedRestores 20 Burnt Mana", + "Hunger": "12.5%", + "Object ID": "4100820", + "Perish Time": "6 Days", + "Sell": "3", + "Type": "Food", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e9/Grilled_Pypherfish.png/revision/latest/scale-to-width-down/83?cb=20201220074948", + "effects": [ + "Restores 12.5% Hunger", + "Restores 20 burnt Mana", + "Player receives Poisoned", + "Player receives Mana Ratio Recovery (level 2)" + ], + "effect_links": [ + "/wiki/Poisoned" + ], + "recipes": [ + { + "result": "Grilled Pypherfish", + "result_count": "1x", + "ingredients": [ + "Pypherfish" + ], + "station": "Campfire", + "source_page": "Grilled Pypherfish" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Grilled Pypherfish" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Pypherfish" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Grilled Pypherfish" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Pypherfish" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Grilled Pypherfish" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Pypherfish", + "result": "1x Grilled Pypherfish", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Pypherfish", + "Pypherfish", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Grilled Pypherfish is an Item in Outward." + }, + { + "name": "Grilled Rainbow Trout", + "url": "https://outward.fandom.com/wiki/Grilled_Rainbow_Trout", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Mana Ratio Recovery 2Elemental Resistance", + "Hunger": "12.5%", + "Object ID": "4100090", + "Perish Time": "8 Days", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/da/Grilled_Rainbow_Trout.png/revision/latest/scale-to-width-down/83?cb=20190410131907", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Elemental Resistance", + "Player receives Mana Ratio Recovery (level 2)" + ], + "recipes": [ + { + "result": "Grilled Rainbow Trout", + "result_count": "1x", + "ingredients": [ + "Raw Rainbow Trout" + ], + "station": "Campfire", + "source_page": "Grilled Rainbow Trout" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Grilled Rainbow Trout" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Rainbow Trout" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Grilled Rainbow Trout" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Rainbow Trout" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Grilled Rainbow Trout" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Rainbow Trout", + "result": "1x Grilled Rainbow Trout", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Rainbow Trout", + "Raw Rainbow Trout", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + } + ], + "description": "Grilled Rainbow Trout is a dish in Outward." + }, + { + "name": "Grilled Salmon", + "url": "https://outward.fandom.com/wiki/Grilled_Salmon", + "categories": [ + "Items", + "Consumables", + "Food", + "Consumable" + ], + "infobox": { + "Buy": "3", + "Effects": "Health Recovery 1Mana Ratio Recovery 1", + "Hunger": "12.5%", + "Object ID": "4100040", + "Perish Time": "6 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/07/Grilled_Salmon.png/revision/latest/scale-to-width-down/83?cb=20190410131857", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Health Recovery (level 1)", + "Player receives Mana Ratio Recovery (level 1)" + ], + "recipes": [ + { + "result": "Grilled Salmon", + "result_count": "1x", + "ingredients": [ + "Raw Salmon" + ], + "station": "Campfire", + "source_page": "Grilled Salmon" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Grilled Salmon" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Salmon" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Grilled Salmon" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Salmon" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Grilled Salmon" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Salmon", + "result": "1x Grilled Salmon", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Salmon", + "Raw Salmon", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipes / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Grilled Salmon is a food item in Outward and a type of Fish." + }, + { + "name": "Grilled Torcrab Meat", + "url": "https://outward.fandom.com/wiki/Grilled_Torcrab_Meat", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Three Brothers", + "Effects": "Health Recovery 2Impact Resistance Up", + "Hunger": "15%", + "Object ID": "4100830", + "Perish Time": "6 Days", + "Sell": "5", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1c/Grilled_Torcrab_Meat.png/revision/latest/scale-to-width-down/83?cb=20201220074950", + "effects": [ + "Restores 15% Hunger", + "Player receives Health Recovery (level 2)", + "Player receives Impact Resistance Up" + ], + "recipes": [ + { + "result": "Grilled Torcrab Meat", + "result_count": "1x", + "ingredients": [ + "Raw Torcrab Meat" + ], + "station": "Campfire", + "source_page": "Grilled Torcrab Meat" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Torcrab Meat" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Torcrab Meat" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Grilled Torcrab Meat" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Torcrab Meat" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Torcrab Meat" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Grilled Torcrab Meat" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Grilled Torcrab Meat" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Torcrab Meat", + "result": "1x Grilled Torcrab Meat", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Torcrab Meat", + "Raw Torcrab Meat", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Grilled Torcrab Meat is an Item in Outward." + }, + { + "name": "Grilled Woolshroom", + "url": "https://outward.fandom.com/wiki/Grilled_Woolshroom", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Stealth Up", + "Hunger": "7.5%", + "Object ID": "4100450", + "Perish Time": "5 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/84/Grilled_Woolshroom.png/revision/latest/scale-to-width-down/83?cb=20190410132048", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Stealth Up" + ], + "recipes": [ + { + "result": "Grilled Woolshroom", + "result_count": "1x", + "ingredients": [ + "Woolshroom" + ], + "station": "Campfire", + "source_page": "Grilled Woolshroom" + }, + { + "result": "Fungal Cleanser", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Mushroom", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Grilled Woolshroom" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Woolshroom", + "result": "1x Grilled Woolshroom", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Grilled Woolshroom", + "Woolshroom", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WoolshroomMushroomOchre Spice Beetle", + "result": "3x Fungal Cleanser", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Fungal Cleanser", + "WoolshroomMushroomOchre Spice Beetle", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Grilled Woolshroom is a Food item in Outward." + }, + { + "name": "Grind", + "url": "https://outward.fandom.com/wiki/Grind", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2500", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "55", + "Damage Bonus": "15% 15%", + "Durability": "350", + "Effects": "Reduces player's Decay resistance by -15%", + "Impact": "50", + "Object ID": "2110265", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/59/Grind.png/revision/latest/scale-to-width-down/83?cb=20201220074951", + "effects": [ + "Reduces your Decay Resistance by -15%" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "55", + "description": "Two slashing strikes, left to right", + "impact": "50", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "71.5", + "description": "Uppercut strike into right sweep strike", + "impact": "65", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "71.5", + "description": "Left-spinning double strike", + "impact": "65", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.4", + "damage": "71.5", + "description": "Right-spinning double strike", + "impact": "65", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "55", + "50", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "71.5", + "65", + "10.59", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "71.5", + "65", + "10.59", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "71.5", + "65", + "10.4", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Grind is a Unique type of Weapon in Outward." + }, + { + "name": "Hackmanite", + "url": "https://outward.fandom.com/wiki/Hackmanite", + "categories": [ + "Gemstone", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "50", + "Object ID": "6200130", + "Sell": "50", + "Type": "Gemstone", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/89/Hackmanite.png/revision/latest/scale-to-width-down/83?cb=20190619154356", + "recipes": [ + { + "result": "Tenebrous Armor", + "result_count": "1x", + "ingredients": [ + "200 silver", + "5x Hackmanite" + ], + "station": "Master-Smith Tokuga", + "source_page": "Hackmanite" + }, + { + "result": "Tenebrous Boots", + "result_count": "1x", + "ingredients": [ + "100 silver", + "2x Hackmanite" + ], + "station": "Master-Smith Tokuga", + "source_page": "Hackmanite" + }, + { + "result": "Tenebrous Helm", + "result_count": "1x", + "ingredients": [ + "100 silver", + "2x Hackmanite" + ], + "station": "Master-Smith Tokuga", + "source_page": "Hackmanite" + }, + { + "result": "Tsar Axe", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Hackmanite" + }, + { + "result": "Tsar Claymore", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Hackmanite" + }, + { + "result": "Tsar Greataxe", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Hackmanite" + }, + { + "result": "Tsar Greathammer", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Hackmanite" + }, + { + "result": "Tsar Halberd", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Hackmanite" + }, + { + "result": "Tsar Mace", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Hackmanite" + }, + { + "result": "Tsar Shield", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "2x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Hackmanite" + }, + { + "result": "Tsar Spear", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Hackmanite" + }, + { + "result": "Tsar Sword", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Hackmanite" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver5x Hackmanite", + "result": "1x Tenebrous Armor", + "station": "Master-Smith Tokuga" + }, + { + "ingredients": "100 silver2x Hackmanite", + "result": "1x Tenebrous Boots", + "station": "Master-Smith Tokuga" + }, + { + "ingredients": "100 silver2x Hackmanite", + "result": "1x Tenebrous Helm", + "station": "Master-Smith Tokuga" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Axe", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Claymore", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Greataxe", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Greathammer", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Halberd", + "station": "Plague Doctor" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Mace", + "station": "Plague Doctor" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite2x Palladium Scrap", + "result": "1x Tsar Shield", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Spear", + "station": "Plague Doctor" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Sword", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tenebrous Armor", + "200 silver5x Hackmanite", + "Master-Smith Tokuga" + ], + [ + "1x Tenebrous Boots", + "100 silver2x Hackmanite", + "Master-Smith Tokuga" + ], + [ + "1x Tenebrous Helm", + "100 silver2x Hackmanite", + "Master-Smith Tokuga" + ], + [ + "1x Tsar Axe", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Claymore", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Greataxe", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Greathammer", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Halberd", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Mace", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Shield", + "1x Tsar Stone1x Hackmanite2x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Spear", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Sword", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "33.3%", + "quantity": "1", + "source": "Mana Stone Vein" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Cold Mana Stone Vein" + } + ], + "raw_rows": [ + [ + "Mana Stone Vein", + "1", + "33.3%" + ], + [ + "Cold Mana Stone Vein", + "1", + "16.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Roland Argenson" + }, + { + "chance": "44.5%", + "quantity": "3", + "source": "Concealed Knight: ???" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Gastrocin" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Volcanic Gastrocin" + }, + { + "chance": "9.9%", + "quantity": "1 - 2", + "source": "Altered Gargoyle" + }, + { + "chance": "9.9%", + "quantity": "1 - 2", + "source": "Cracked Gargoyle" + }, + { + "chance": "9.9%", + "quantity": "1 - 2", + "source": "Gargoyle" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Jewelbird" + } + ], + "raw_rows": [ + [ + "Roland Argenson", + "1", + "100%" + ], + [ + "Concealed Knight: ???", + "3", + "44.5%" + ], + [ + "Gastrocin", + "1", + "16.7%" + ], + [ + "Volcanic Gastrocin", + "1", + "16.7%" + ], + [ + "Altered Gargoyle", + "1 - 2", + "9.9%" + ], + [ + "Cracked Gargoyle", + "1 - 2", + "9.9%" + ], + [ + "Gargoyle", + "1 - 2", + "9.9%" + ], + [ + "Jewelbird", + "1", + "8.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "25%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "25%", + "locations": "Bandit Hideout, Caldera, Cierzo (Destroyed), Crumbling Loading Docks, Forgotten Research Laboratory, Oil Refinery, Old Sirocco, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "25%", + "locations": "Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "25%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "25%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "25%", + "locations": "Abandoned Ziggurat, Abrassar, Ancient Hive, Bandits' Prison, Cabal of Wind Outpost, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Tree, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Slide, The Vault of Stone, Undercity Passage, Vigil Pylon, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "25%", + "locations": "Ark of the Exiled, Crumbling Loading Docks, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Ruined Warehouse, Wendigo Lair", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "25%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "25%", + "Bandit Hideout, Caldera, Cierzo (Destroyed), Crumbling Loading Docks, Forgotten Research Laboratory, Oil Refinery, Old Sirocco, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone" + ], + [ + "Corpse", + "1", + "25%", + "Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "25%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "25%", + "Antique Plateau" + ], + [ + "Ornate Chest", + "1", + "25%", + "Abandoned Ziggurat, Abrassar, Ancient Hive, Bandits' Prison, Cabal of Wind Outpost, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Tree, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Slide, The Vault of Stone, Undercity Passage, Vigil Pylon, Ziggurat Passage" + ], + [ + "Scavenger's Corpse", + "1", + "25%", + "Ark of the Exiled, Crumbling Loading Docks, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Ruined Warehouse, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1 - 2", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "5%", + "Calygrey Colosseum" + ] + ] + } + ], + "description": "Hackmanite is an item in Outward commonly used for Crafting." + }, + { + "name": "Hailfrost Axe", + "url": "https://outward.fandom.com/wiki/Hailfrost_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "21 21", + "Damage Bonus": "10%", + "Durability": "400", + "Impact": "29", + "Item Set": "Hailfrost Set", + "Object ID": "2010250", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3f/Hailfrost_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220074952", + "effects": [ + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "recipes": [ + { + "result": "Hailfrost Axe", + "result_count": "1x", + "ingredients": [ + "Hailfrost Axe", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Axe" + }, + { + "result": "Hailfrost Axe", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Militia Axe", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Axe" + }, + { + "result": "Hailfrost Axe", + "result_count": "1x", + "ingredients": [ + "Hailfrost Axe", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "21 21", + "description": "Two slashing strikes, right to left", + "impact": "29", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.72", + "damage": "27.3 27.3", + "description": "Fast, triple-attack strike", + "impact": "37.7", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "27.3 27.3", + "description": "Quick double strike", + "impact": "37.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "27.3 27.3", + "description": "Wide-sweeping double strike", + "impact": "37.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "21 21", + "29", + "5.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "27.3 27.3", + "37.7", + "6.72", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "27.3 27.3", + "37.7", + "6.72", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.3 27.3", + "37.7", + "6.72", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost AxeCold Stone", + "result": "1x Hailfrost Axe", + "station": "None" + }, + { + "ingredients": "200 silver1x Militia Axe1x Cold Stone", + "result": "1x Hailfrost Axe", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Axe", + "Hailfrost AxeCold Stone", + "None" + ], + [ + "1x Hailfrost Axe", + "200 silver1x Militia Axe1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Axe Cold Stone", + "result": "1x Hailfrost Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Axe", + "Hailfrost Axe Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Axe is a type of Weapon in Outward." + }, + { + "name": "Hailfrost Claymore", + "url": "https://outward.fandom.com/wiki/Hailfrost_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "26 26", + "Damage Bonus": "15%", + "Durability": "425", + "Impact": "46", + "Item Set": "Hailfrost Set", + "Object ID": "2100270", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b4/Hailfrost_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220074955", + "effects": [ + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "recipes": [ + { + "result": "Hailfrost Claymore", + "result_count": "1x", + "ingredients": [ + "Hailfrost Claymore", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Claymore" + }, + { + "result": "Hailfrost Claymore", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Claymore", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Claymore" + }, + { + "result": "Hailfrost Claymore", + "result_count": "1x", + "ingredients": [ + "Hailfrost Claymore", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "26 26", + "description": "Two slashing strikes, left to right", + "impact": "46", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10.01", + "damage": "39 39", + "description": "Overhead downward-thrusting strike", + "impact": "69", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "32.89 32.89", + "description": "Spinning strike from the right", + "impact": "50.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "32.89 32.89", + "description": "Spinning strike from the left", + "impact": "50.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26 26", + "46", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "39 39", + "69", + "10.01", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "32.89 32.89", + "50.6", + "8.47", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.89 32.89", + "50.6", + "8.47", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost ClaymoreCold Stone", + "result": "1x Hailfrost Claymore", + "station": "None" + }, + { + "ingredients": "300 silver1x Militia Claymore1x Cold Stone", + "result": "1x Hailfrost Claymore", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Claymore", + "Hailfrost ClaymoreCold Stone", + "None" + ], + [ + "1x Hailfrost Claymore", + "300 silver1x Militia Claymore1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Claymore Cold Stone", + "result": "1x Hailfrost Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Claymore", + "Hailfrost Claymore Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Claymore is a type of Weapon in Outward." + }, + { + "name": "Hailfrost Dagger", + "url": "https://outward.fandom.com/wiki/Hailfrost_Dagger", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Daggers", + "DLC": "The Three Brothers", + "Damage": "23.5 23.5", + "Damage Bonus": "5%", + "Durability": "350", + "Effects": "Crippled", + "Impact": "40", + "Item Set": "Hailfrost Set", + "Object ID": "5110015", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c0/Hailfrost_Dagger.png/revision/latest/scale-to-width-down/83?cb=20201220074956", + "effects": [ + "Inflicts Crippled (60% buildup)", + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Hailfrost Dagger", + "result_count": "1x", + "ingredients": [ + "150 silver", + "1x Militia Dagger", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Dagger" + }, + { + "result": "Hailfrost Dagger", + "result_count": "1x", + "ingredients": [ + "Hailfrost Dagger", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Dagger" + }, + { + "result": "Hailfrost Dagger", + "result_count": "1x", + "ingredients": [ + "Hailfrost Dagger", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Dagger" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "150 silver1x Militia Dagger1x Cold Stone", + "result": "1x Hailfrost Dagger", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "Hailfrost DaggerCold Stone", + "result": "1x Hailfrost Dagger", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Dagger", + "150 silver1x Militia Dagger1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Dagger", + "Hailfrost DaggerCold Stone", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Dagger Cold Stone", + "result": "1x Hailfrost Dagger", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Dagger", + "Hailfrost Dagger Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Dagger is a type of Weapon in Outward." + }, + { + "name": "Hailfrost Greataxe", + "url": "https://outward.fandom.com/wiki/Hailfrost_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "26.5 26.5", + "Damage Bonus": "15%", + "Durability": "450", + "Impact": "44", + "Item Set": "Hailfrost Set", + "Object ID": "2110230", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d1/Hailfrost_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220074958", + "effects": [ + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "recipes": [ + { + "result": "Hailfrost Greataxe", + "result_count": "1x", + "ingredients": [ + "Hailfrost Greataxe", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Greataxe" + }, + { + "result": "Hailfrost Greataxe", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Greataxe", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Greataxe" + }, + { + "result": "Hailfrost Greataxe", + "result_count": "1x", + "ingredients": [ + "Hailfrost Greataxe", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "26.5 26.5", + "description": "Two slashing strikes, left to right", + "impact": "44", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "34.45 34.45", + "description": "Uppercut strike into right sweep strike", + "impact": "57.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "34.45 34.45", + "description": "Left-spinning double strike", + "impact": "57.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.4", + "damage": "34.45 34.45", + "description": "Right-spinning double strike", + "impact": "57.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26.5 26.5", + "44", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "34.45 34.45", + "57.2", + "10.59", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "34.45 34.45", + "57.2", + "10.59", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "34.45 34.45", + "57.2", + "10.4", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost GreataxeCold Stone", + "result": "1x Hailfrost Greataxe", + "station": "None" + }, + { + "ingredients": "300 silver1x Militia Greataxe1x Cold Stone", + "result": "1x Hailfrost Greataxe", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Greataxe", + "Hailfrost GreataxeCold Stone", + "None" + ], + [ + "1x Hailfrost Greataxe", + "300 silver1x Militia Greataxe1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Greataxe Cold Stone", + "result": "1x Hailfrost Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Greataxe", + "Hailfrost Greataxe Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Greataxe is a type of Weapon in Outward." + }, + { + "name": "Hailfrost Halberd", + "url": "https://outward.fandom.com/wiki/Hailfrost_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "24.5 24.5", + "Damage Bonus": "15%", + "Durability": "450", + "Impact": "51", + "Item Set": "Hailfrost Set", + "Object ID": "2150110", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/54/Hailfrost_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220074959", + "effects": [ + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "recipes": [ + { + "result": "Hailfrost Halberd", + "result_count": "1x", + "ingredients": [ + "Hailfrost Halberd", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Halberd" + }, + { + "result": "Hailfrost Halberd", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Halberd", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Halberd" + }, + { + "result": "Hailfrost Halberd", + "result_count": "1x", + "ingredients": [ + "Hailfrost Halberd", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "24.5 24.5", + "description": "Two wide-sweeping strikes, left to right", + "impact": "51", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "31.85 31.85", + "description": "Forward-thrusting strike", + "impact": "66.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "31.85 31.85", + "description": "Wide-sweeping strike from left", + "impact": "66.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "41.65 41.65", + "description": "Slow but powerful sweeping strike", + "impact": "86.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24.5 24.5", + "51", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "31.85 31.85", + "66.3", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "31.85 31.85", + "66.3", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "41.65 41.65", + "86.7", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost HalberdCold Stone", + "result": "1x Hailfrost Halberd", + "station": "None" + }, + { + "ingredients": "300 silver1x Militia Halberd1x Cold Stone", + "result": "1x Hailfrost Halberd", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Halberd", + "Hailfrost HalberdCold Stone", + "None" + ], + [ + "1x Hailfrost Halberd", + "300 silver1x Militia Halberd1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Halberd Cold Stone", + "result": "1x Hailfrost Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Halberd", + "Hailfrost Halberd Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Halberd is a type of Weapon in Outward." + }, + { + "name": "Hailfrost Hammer", + "url": "https://outward.fandom.com/wiki/Hailfrost_Hammer", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "25 25", + "Damage Bonus": "15%", + "Durability": "500", + "Impact": "58", + "Item Set": "Hailfrost Set", + "Object ID": "2120240", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a0/Hailfrost_Hammer.png/revision/latest/scale-to-width-down/83?cb=20201220075000", + "effects": [ + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "recipes": [ + { + "result": "Hailfrost Hammer", + "result_count": "1x", + "ingredients": [ + "Hailfrost Hammer", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Hammer" + }, + { + "result": "Hailfrost Hammer", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Hammer", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Hammer" + }, + { + "result": "Hailfrost Hammer", + "result_count": "1x", + "ingredients": [ + "Hailfrost Hammer", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Hammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "25 25", + "description": "Two slashing strikes, left to right", + "impact": "58", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "18.75 18.75", + "description": "Blunt strike with high impact", + "impact": "116", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "35 35", + "description": "Powerful overhead strike", + "impact": "81.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "35 35", + "description": "Forward-running uppercut strike", + "impact": "81.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25 25", + "58", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "18.75 18.75", + "116", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "35 35", + "81.2", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "35 35", + "81.2", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost HammerCold Stone", + "result": "1x Hailfrost Hammer", + "station": "None" + }, + { + "ingredients": "300 silver1x Militia Hammer1x Cold Stone", + "result": "1x Hailfrost Hammer", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Hammer", + "Hailfrost HammerCold Stone", + "None" + ], + [ + "1x Hailfrost Hammer", + "300 silver1x Militia Hammer1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Hammer Cold Stone", + "result": "1x Hailfrost Hammer", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Hammer", + "Hailfrost Hammer Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Hammer is a type of Weapon in Outward." + }, + { + "name": "Hailfrost Knuckles", + "url": "https://outward.fandom.com/wiki/Hailfrost_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "19 19", + "Damage Bonus": "15%", + "Durability": "375", + "Impact": "19", + "Item Set": "Hailfrost Set", + "Object ID": "2160200", + "Sell": "600", + "Stamina Cost": "2.8", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/44/Hailfrost_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220075002", + "effects": [ + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "recipes": [ + { + "result": "Hailfrost Knuckles", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Knuckles", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Knuckles" + }, + { + "result": "Hailfrost Knuckles", + "result_count": "1x", + "ingredients": [ + "Hailfrost Knuckles", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Knuckles" + }, + { + "result": "Hailfrost Knuckles", + "result_count": "1x", + "ingredients": [ + "Hailfrost Knuckles", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Knuckles" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.8", + "damage": "19 19", + "description": "Four fast punches, right to left", + "impact": "19", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.64", + "damage": "24.7 24.7", + "description": "Forward-lunging left hook", + "impact": "24.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "24.7 24.7", + "description": "Left dodging, left uppercut", + "impact": "24.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "24.7 24.7", + "description": "Right dodging, right spinning hammer strike", + "impact": "24.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "19 19", + "19", + "2.8", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "24.7 24.7", + "24.7", + "3.64", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "24.7 24.7", + "24.7", + "3.36", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "24.7 24.7", + "24.7", + "3.36", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver1x Militia Knuckles1x Cold Stone", + "result": "1x Hailfrost Knuckles", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "Hailfrost KnucklesCold Stone", + "result": "1x Hailfrost Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Knuckles", + "300 silver1x Militia Knuckles1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Knuckles", + "Hailfrost KnucklesCold Stone", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Knuckles Cold Stone", + "result": "1x Hailfrost Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Knuckles", + "Hailfrost Knuckles Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Knuckles is a type of Weapon in Outward." + }, + { + "name": "Hailfrost Mace", + "url": "https://outward.fandom.com/wiki/Hailfrost_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "24 24", + "Damage Bonus": "10%", + "Durability": "475", + "Impact": "45", + "Item Set": "Hailfrost Set", + "Object ID": "2020290", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f3/Hailfrost_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220075003", + "effects": [ + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "recipes": [ + { + "result": "Hailfrost Mace", + "result_count": "1x", + "ingredients": [ + "Hailfrost Mace", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Mace" + }, + { + "result": "Hailfrost Mace", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Militia Mace", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Mace" + }, + { + "result": "Hailfrost Mace", + "result_count": "1x", + "ingredients": [ + "Hailfrost Mace", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "24 24", + "description": "Two wide-sweeping strikes, right to left", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "31.2 31.2", + "description": "Slow, overhead strike with high impact", + "impact": "112.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "31.2 31.2", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "31.2 31.2", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24 24", + "45", + "5.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "31.2 31.2", + "112.5", + "7.28", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "31.2 31.2", + "58.5", + "7.28", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "31.2 31.2", + "58.5", + "7.28", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost MaceCold Stone", + "result": "1x Hailfrost Mace", + "station": "None" + }, + { + "ingredients": "200 silver1x Militia Mace1x Cold Stone", + "result": "1x Hailfrost Mace", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Mace", + "Hailfrost MaceCold Stone", + "None" + ], + [ + "1x Hailfrost Mace", + "200 silver1x Militia Mace1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Mace Cold Stone", + "result": "1x Hailfrost Mace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Mace", + "Hailfrost Mace Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Mace is a type of Weapon in Outward." + }, + { + "name": "Hailfrost Pistol", + "url": "https://outward.fandom.com/wiki/Hailfrost_Pistol", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Pistols", + "DLC": "The Three Brothers", + "Damage": "43.5 43.5", + "Durability": "250", + "Effects": "Crippled", + "Impact": "65", + "Item Set": "Hailfrost Set", + "Object ID": "5110270", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9e/Hailfrost_Pistol.png/revision/latest/scale-to-width-down/83?cb=20201220075004", + "effects": [ + "Inflicts Crippled (60% buildup)", + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Hailfrost Pistol", + "result_count": "1x", + "ingredients": [ + "150 silver", + "1x Militia Pistol", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Pistol" + }, + { + "result": "Hailfrost Pistol", + "result_count": "1x", + "ingredients": [ + "Hailfrost Pistol", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Pistol" + }, + { + "result": "Hailfrost Pistol", + "result_count": "1x", + "ingredients": [ + "Hailfrost Pistol", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "150 silver1x Militia Pistol1x Cold Stone", + "result": "1x Hailfrost Pistol", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "Hailfrost PistolCold Stone", + "result": "1x Hailfrost Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Pistol", + "150 silver1x Militia Pistol1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Pistol", + "Hailfrost PistolCold Stone", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Pistol Cold Stone", + "result": "1x Hailfrost Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Pistol", + "Hailfrost Pistol Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Pistol is a type of Weapon in Outward." + }, + { + "name": "Hailfrost Spear", + "url": "https://outward.fandom.com/wiki/Hailfrost_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "24.5 24.5", + "Damage Bonus": "15%", + "Durability": "375", + "Impact": "32", + "Item Set": "Hailfrost Set", + "Object ID": "2130280", + "Sell": "750", + "Stamina Cost": "5.6", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bc/Hailfrost_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220075006", + "effects": [ + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "recipes": [ + { + "result": "Hailfrost Spear", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Spear", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Spear" + }, + { + "result": "Hailfrost Spear", + "result_count": "1x", + "ingredients": [ + "Hailfrost Spear", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Spear" + }, + { + "result": "Hailfrost Spear", + "result_count": "1x", + "ingredients": [ + "Hailfrost Spear", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "24.5 24.5", + "description": "Two forward-thrusting stabs", + "impact": "32", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7", + "damage": "34.3 34.3", + "description": "Forward-lunging strike", + "impact": "38.4", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "31.85 31.85", + "description": "Left-sweeping strike, jump back", + "impact": "38.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "29.4 29.4", + "description": "Fast spinning strike from the right", + "impact": "35.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24.5 24.5", + "32", + "5.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "34.3 34.3", + "38.4", + "7", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "31.85 31.85", + "38.4", + "7", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "29.4 29.4", + "35.2", + "7", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver1x Militia Spear1x Cold Stone", + "result": "1x Hailfrost Spear", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "Hailfrost SpearCold Stone", + "result": "1x Hailfrost Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Spear", + "300 silver1x Militia Spear1x Cold Stone", + "Sal Dumas, Blacksmith" + ], + [ + "1x Hailfrost Spear", + "Hailfrost SpearCold Stone", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Spear Cold Stone", + "result": "1x Hailfrost Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Spear", + "Hailfrost Spear Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Spear is a type of Weapon in Outward." + }, + { + "name": "Hailfrost Sword", + "url": "https://outward.fandom.com/wiki/Hailfrost_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "20 20", + "Damage Bonus": "10%", + "Durability": "350", + "Impact": "26", + "Item Set": "Hailfrost Set", + "Object ID": "2000280", + "Sell": "600", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/66/Hailfrost_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220075007", + "effects": [ + "Cannot be enchanted, and loses durability over time.", + "Can be repaired (even when fully broken) by manually crafting with a Cold Stone." + ], + "recipes": [ + { + "result": "Hailfrost Sword", + "result_count": "1x", + "ingredients": [ + "Hailfrost Sword", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Sword" + }, + { + "result": "Hailfrost Sword", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Militia Sword", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Hailfrost Sword" + }, + { + "result": "Hailfrost Sword", + "result_count": "1x", + "ingredients": [ + "Hailfrost Sword", + "Cold Stone" + ], + "station": "None", + "source_page": "Hailfrost Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.9", + "damage": "20 20", + "description": "Two slash attacks, left to right", + "impact": "26", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.88", + "damage": "29.9 29.9", + "description": "Forward-thrusting strike", + "impact": "33.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "25.3 25.3", + "description": "Heavy left-lunging strike", + "impact": "28.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "25.3 25.3", + "description": "Heavy right-lunging strike", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "20 20", + "26", + "4.9", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "29.9 29.9", + "33.8", + "5.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "25.3 25.3", + "28.6", + "5.39", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "25.3 25.3", + "28.6", + "5.39", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost SwordCold Stone", + "result": "1x Hailfrost Sword", + "station": "None" + }, + { + "ingredients": "200 silver1x Militia Sword1x Cold Stone", + "result": "1x Hailfrost Sword", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Sword", + "Hailfrost SwordCold Stone", + "None" + ], + [ + "1x Hailfrost Sword", + "200 silver1x Militia Sword1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hailfrost Sword Cold Stone", + "result": "1x Hailfrost Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Sword", + "Hailfrost Sword Cold Stone", + "None" + ] + ] + } + ], + "description": "Hailfrost Sword is a type of Weapon in Outward." + }, + { + "name": "Halfplate Armor", + "url": "https://outward.fandom.com/wiki/Halfplate_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "137", + "Damage Resist": "14%", + "Durability": "220", + "Impact Resist": "11%", + "Item Set": "Halfplate Set", + "Movement Speed": "-3%", + "Object ID": "3100006", + "Protection": "2", + "Sell": "45", + "Slot": "Chest", + "Stamina Cost": "3%", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1d/Halfplate_Armor.png/revision/latest?cb=20190415120732", + "recipes": [ + { + "result": "Horror Armor", + "result_count": "1x", + "ingredients": [ + "Halfplate Armor", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Halfplate Armor" + }, + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Halfplate Armor" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Halfplate ArmorPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Armor", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Armor", + "Halfplate ArmorPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)", + "enchantment": "Formless Material" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +15% Fire and +25% Frost damage bonus", + "enchantment": "Spirit of Cierzo" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Formless Material", + "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Cierzo", + "Gain +15% Fire and +25% Frost damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.7%", + "locations": "Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Trog Chest", + "1 - 4", + "4.7%", + "Under Island" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Halfplate Armor is a type of Armor in Outward." + }, + { + "name": "Halfplate Boots", + "url": "https://outward.fandom.com/wiki/Halfplate_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "75", + "Damage Resist": "9%", + "Durability": "220", + "Impact Resist": "7%", + "Item Set": "Halfplate Set", + "Movement Speed": "-2%", + "Object ID": "3100008", + "Protection": "1", + "Sell": "24", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/88/Halfplate_Boots.png/revision/latest?cb=20190415153717", + "recipes": [ + { + "result": "Horror Greaves", + "result_count": "1x", + "ingredients": [ + "Halfplate Boots", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Halfplate Boots" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Halfplate Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Halfplate BootsPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Greaves", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Greaves", + "Halfplate BootsPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)", + "enchantment": "Formless Material" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Formless Material", + "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Halfplate Boots is a type of Armor in Outward." + }, + { + "name": "Halfplate Helm", + "url": "https://outward.fandom.com/wiki/Halfplate_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "75", + "Damage Resist": "9%", + "Durability": "220", + "Impact Resist": "7%", + "Item Set": "Halfplate Set", + "Mana Cost": "20%", + "Movement Speed": "-2%", + "Object ID": "3100007", + "Protection": "1", + "Sell": "22", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1d/Halfplate_Helm.png/revision/latest?cb=20190407064224", + "recipes": [ + { + "result": "Horror Helm", + "result_count": "1x", + "ingredients": [ + "Halfplate Helm", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Halfplate Helm" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Halfplate Helm" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Halfplate HelmPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Helm", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Horror Helm", + "Halfplate HelmPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)", + "enchantment": "Formless Material" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Formless Material", + "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Halfplate Helm is a type of Armor in Outward." + }, + { + "name": "Halfplate Set", + "url": "https://outward.fandom.com/wiki/Halfplate_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "287", + "Damage Resist": "32%", + "Durability": "660", + "Impact Resist": "25%", + "Mana Cost": "20%", + "Movement Speed": "-7%", + "Object ID": "3100006 (Chest)3100008 (Legs)3100007 (Head)", + "Protection": "4", + "Sell": "91", + "Slot": "Set", + "Stamina Cost": "7%", + "Weight": "25.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/87/Halfplate_set.png/revision/latest/scale-to-width-down/187?cb=20190410103950", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "11%", + "column_5": "2", + "column_6": "3%", + "column_7": "–", + "column_8": "-3%", + "durability": "220", + "name": "Halfplate Armor", + "resistances": "14%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "7%", + "column_5": "1", + "column_6": "2%", + "column_7": "–", + "column_8": "-2%", + "durability": "220", + "name": "Halfplate Boots", + "resistances": "9%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "7%", + "column_5": "1", + "column_6": "2%", + "column_7": "20%", + "column_8": "-2%", + "durability": "220", + "name": "Halfplate Helm", + "resistances": "9%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Halfplate Armor", + "14%", + "11%", + "2", + "3%", + "–", + "-3%", + "220", + "12.0", + "Body Armor" + ], + [ + "", + "Halfplate Boots", + "9%", + "7%", + "1", + "2%", + "–", + "-2%", + "220", + "8.0", + "Boots" + ], + [ + "", + "Halfplate Helm", + "9%", + "7%", + "1", + "2%", + "20%", + "-2%", + "220", + "5.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "11%", + "column_5": "2", + "column_6": "3%", + "column_7": "–", + "column_8": "-3%", + "durability": "220", + "name": "Halfplate Armor", + "resistances": "14%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "7%", + "column_5": "1", + "column_6": "2%", + "column_7": "–", + "column_8": "-2%", + "durability": "220", + "name": "Halfplate Boots", + "resistances": "9%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "7%", + "column_5": "1", + "column_6": "2%", + "column_7": "20%", + "column_8": "-2%", + "durability": "220", + "name": "Halfplate Helm", + "resistances": "9%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Halfplate Armor", + "14%", + "11%", + "2", + "3%", + "–", + "-3%", + "220", + "12.0", + "Body Armor" + ], + [ + "", + "Halfplate Boots", + "9%", + "7%", + "1", + "2%", + "–", + "-2%", + "220", + "8.0", + "Boots" + ], + [ + "", + "Halfplate Helm", + "9%", + "7%", + "1", + "2%", + "20%", + "-2%", + "220", + "5.0", + "Helmets" + ] + ] + } + ], + "description": "Halfplate Set is a Set in Outward." + }, + { + "name": "Hatchet", + "url": "https://outward.fandom.com/wiki/Hatchet", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "16", + "Class": "Axes", + "Damage": "14", + "Durability": "225", + "Impact": "14", + "Object ID": "2010050", + "Sell": "4", + "Stamina Cost": "4", + "Type": "One-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ef/Hatchet.png/revision/latest?cb=20190412200526", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Hatchet" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4", + "damage": "14", + "description": "Two slashing strikes, right to left", + "impact": "14", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "4.8", + "damage": "18.2", + "description": "Fast, triple-attack strike", + "impact": "18.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "4.8", + "damage": "18.2", + "description": "Quick double strike", + "impact": "18.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "4.8", + "damage": "18.2", + "description": "Wide-sweeping double strike", + "impact": "18.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "14", + "14", + "4", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "18.2", + "18.2", + "4.8", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "18.2", + "18.2", + "4.8", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "18.2", + "18.2", + "4.8", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "8%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "8%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Adventurer's Corpse", + "1", + "8%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "8%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "8%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "8%", + "Blister Burrow" + ], + [ + "Soldier's Corpse", + "1", + "8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Hatchet is a one-handed axe in Outward." + }, + { + "name": "Haunted Memory", + "url": "https://outward.fandom.com/wiki/Haunted_Memory", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Object ID": "6600224", + "Sell": "60", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/57/Haunted_Memory.png/revision/latest/scale-to-width-down/83?cb=20190629155234", + "recipes": [ + { + "result": "Cage Pistol", + "result_count": "1x", + "ingredients": [ + "Haunted Memory", + "Scourge's Tears", + "Flowering Corruption", + "Enchanted Mask" + ], + "station": "None", + "source_page": "Haunted Memory" + }, + { + "result": "Challenger Greathammer", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Haunted Memory", + "Calixa's Relic" + ], + "station": "None", + "source_page": "Haunted Memory" + }, + { + "result": "Ghost Reaper", + "result_count": "1x", + "ingredients": [ + "Scourge's Tears", + "Haunted Memory", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Haunted Memory" + }, + { + "result": "Griigmerk kÄramerk", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Scourge's Tears", + "Haunted Memory", + "Calixa's Relic" + ], + "station": "None", + "source_page": "Haunted Memory" + }, + { + "result": "Krypteia Mask", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Haunted Memory", + "Gep's Generosity", + "Scarlet Whisper" + ], + "station": "None", + "source_page": "Haunted Memory" + }, + { + "result": "Pilgrim Boots", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Haunted Memory", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Haunted Memory" + }, + { + "result": "Pilgrim Helmet", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Elatt's Relic", + "Haunted Memory" + ], + "station": "None", + "source_page": "Haunted Memory" + }, + { + "result": "Squire Attire", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Elatt's Relic", + "Calixa's Relic", + "Haunted Memory" + ], + "station": "None", + "source_page": "Haunted Memory" + }, + { + "result": "Squire Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Haunted Memory", + "Leyline Figment" + ], + "station": "None", + "source_page": "Haunted Memory" + }, + { + "result": "Squire Headband", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Scourge's Tears", + "Haunted Memory" + ], + "station": "None", + "source_page": "Haunted Memory" + }, + { + "result": "Thermal Claymore", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Haunted Memory", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Haunted Memory" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Haunted MemoryScourge's TearsFlowering CorruptionEnchanted Mask", + "result": "1x Cage Pistol", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageHaunted MemoryCalixa's Relic", + "result": "1x Challenger Greathammer", + "station": "None" + }, + { + "ingredients": "Scourge's TearsHaunted MemoryLeyline FigmentVendavel's Hospitality", + "result": "1x Ghost Reaper", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityScourge's TearsHaunted MemoryCalixa's Relic", + "result": "1x Griigmerk kÄramerk", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageHaunted MemoryGep's GenerosityScarlet Whisper", + "result": "1x Krypteia Mask", + "station": "None" + }, + { + "ingredients": "Elatt's RelicHaunted MemoryCalixa's RelicVendavel's Hospitality", + "result": "1x Pilgrim Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageElatt's RelicHaunted Memory", + "result": "1x Pilgrim Helmet", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageElatt's RelicCalixa's RelicHaunted Memory", + "result": "1x Squire Attire", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicHaunted MemoryLeyline Figment", + "result": "1x Squire Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicScourge's TearsHaunted Memory", + "result": "1x Squire Headband", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageHaunted MemoryLeyline FigmentVendavel's Hospitality", + "result": "1x Thermal Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cage Pistol", + "Haunted MemoryScourge's TearsFlowering CorruptionEnchanted Mask", + "None" + ], + [ + "1x Challenger Greathammer", + "Gep's GenerosityPearlbird's CourageHaunted MemoryCalixa's Relic", + "None" + ], + [ + "1x Ghost Reaper", + "Scourge's TearsHaunted MemoryLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Griigmerk kÄramerk", + "Gep's GenerosityScourge's TearsHaunted MemoryCalixa's Relic", + "None" + ], + [ + "1x Krypteia Mask", + "Pearlbird's CourageHaunted MemoryGep's GenerosityScarlet Whisper", + "None" + ], + [ + "1x Pilgrim Boots", + "Elatt's RelicHaunted MemoryCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Pilgrim Helmet", + "Gep's GenerosityPearlbird's CourageElatt's RelicHaunted Memory", + "None" + ], + [ + "1x Squire Attire", + "Pearlbird's CourageElatt's RelicCalixa's RelicHaunted Memory", + "None" + ], + [ + "1x Squire Boots", + "Gep's GenerosityElatt's RelicHaunted MemoryLeyline Figment", + "None" + ], + [ + "1x Squire Headband", + "Gep's GenerosityElatt's RelicScourge's TearsHaunted Memory", + "None" + ], + [ + "1x Thermal Claymore", + "Pearlbird's CourageHaunted MemoryLeyline FigmentVendavel's Hospitality", + "None" + ] + ] + } + ], + "description": "Haunted Memory is an item in Outward." + }, + { + "name": "Healing Water", + "url": "https://outward.fandom.com/wiki/Healing_Water", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "0", + "DLC": "The Three Brothers", + "Drink": "30%", + "Effects": "Healing Water (Effect)", + "Object ID": "5600006", + "Perish Time": "∞", + "Sell": "0", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/41/Healing_Water.png/revision/latest/scale-to-width-down/83?cb=20201224134534", + "effects": [ + "Restores 30% Thirst", + "Player receives Healing Water (Effect)", + "+0.2 Health per second", + "+10 Hot Weather defense" + ], + "effect_links": [ + "/wiki/Healing_Water_(Effect)" + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "180 seconds", + "effects": "+0.2 Health per second+10 Hot Weather defense", + "name": "Healing Water (Effect)" + } + ], + "raw_rows": [ + [ + "", + "Healing Water (Effect)", + "180 seconds", + "+0.2 Health per second+10 Hot Weather defense" + ] + ] + } + ], + "description": "Healing Water is an Item in Outward." + }, + { + "name": "Hex Cleaner", + "url": "https://outward.fandom.com/wiki/Hex_Cleaner", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "35", + "Effects": "Removes Hex Effects", + "Object ID": "4300190", + "Perish Time": "∞", + "Sell": "10", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cd/Hex_Cleaner.png/revision/latest?cb=20190410154600", + "effects": [ + "Removes all Hex effects", + "Removes The Hunch", + "Player receives Status Build up Resistance Up" + ], + "recipes": [ + { + "result": "Hex Cleaner", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Hex Cleaner" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Greasy Fern Livweedi Salt", + "result": "1x Hex Cleaner", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Hex Cleaner", + "Water Greasy Fern Livweedi Salt", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 3", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/Low Stock", + "2 - 3", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 4", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 4", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ] + ] + } + ], + "description": "Hex Cleaner is a type of Potion in Outward." + }, + { + "name": "Hexa Stone", + "url": "https://outward.fandom.com/wiki/Hexa_Stone", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6400170", + "Sell": "27", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7e/Hexa_Stone.png/revision/latest/scale-to-width-down/83?cb=20201220075012", + "recipes": [ + { + "result": "Mana Belly Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Pypherfish", + "Funnel Beetle", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Hexa Stone" + }, + { + "result": "Soul Rupture Arrow", + "result_count": "3x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Hexa Stone" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterPypherfishFunnel BeetleHexa Stone", + "result": "1x Mana Belly Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodHexa Stone", + "result": "3x Soul Rupture Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Mana Belly Potion", + "WaterPypherfishFunnel BeetleHexa Stone", + "Alchemy Kit" + ], + [ + "3x Soul Rupture Arrow", + "Arrowhead KitWoodHexa Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Hexa Stone Vein" + } + ], + "raw_rows": [ + [ + "Hexa Stone Vein", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "1 - 10", + "50.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Altered Gargoyle" + }, + { + "chance": "89.8%", + "quantity": "1 - 15", + "source": "She Who Speaks" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Cracked Gargoyle" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Gargoyle" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Giant Hunter" + } + ], + "raw_rows": [ + [ + "Altered Gargoyle", + "1", + "100%" + ], + [ + "She Who Speaks", + "1 - 15", + "89.8%" + ], + [ + "Cracked Gargoyle", + "1", + "33.3%" + ], + [ + "Gargoyle", + "1", + "33.3%" + ], + [ + "Giant Hunter", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Hexa Stone is an Item in Outward." + }, + { + "name": "Hide", + "url": "https://outward.fandom.com/wiki/Hide", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "16", + "Object ID": "6600020", + "Sell": "5", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/96/Hide.png/revision/latest/scale-to-width-down/83?cb=20190618231905", + "recipes": [ + { + "result": "Improvised Bedroll", + "result_count": "1x", + "ingredients": [ + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Hide" + }, + { + "result": "Iron Knuckles", + "result_count": "1x", + "ingredients": [ + "Iron Wristband", + "Iron Wristband", + "Iron Scrap", + "Hide" + ], + "station": "None", + "source_page": "Hide" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Hide" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Hide" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Hide" + }, + { + "result": "Primitive Satchel", + "result_count": "1x", + "ingredients": [ + "Hide", + "Hide", + "Linen Cloth" + ], + "station": "None", + "source_page": "Hide" + }, + { + "result": "Hide", + "result_count": "2x", + "ingredients": [ + "Primitive Satchel" + ], + "station": "Decrafting", + "source_page": "Hide" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "HideHide", + "result": "1x Improvised Bedroll", + "station": "None" + }, + { + "ingredients": "Iron WristbandIron WristbandIron ScrapHide", + "result": "1x Iron Knuckles", + "station": "None" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "HideHideLinen Cloth", + "result": "1x Primitive Satchel", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Improvised Bedroll", + "HideHide", + "None" + ], + [ + "1x Iron Knuckles", + "Iron WristbandIron WristbandIron ScrapHide", + "None" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Primitive Satchel", + "HideHideLinen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Used in / Decrafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Primitive Satchel", + "result": "2x Hide", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Hide", + "Primitive Satchel", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "80.7%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "79.6%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "79.6%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "79.6%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "75.6%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "75.6%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "75.6%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "75.6%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "75.6%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "75.1%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "74.2%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "63.9%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + }, + { + "chance": "37%", + "locations": "Harmattan", + "quantity": "2", + "source": "David Parks, Craftsman" + }, + { + "chance": "20%", + "locations": "Vendavel Fortress", + "quantity": "1 - 2", + "source": "Vendavel Prisoner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "80.7%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "79.6%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "79.6%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "79.6%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "75.6%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "75.6%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "75.6%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "75.6%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "75.6%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "75.1%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "74.2%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "63.9%", + "Cierzo" + ], + [ + "David Parks, Craftsman", + "2", + "37%", + "Harmattan" + ], + [ + "Vendavel Prisoner", + "1 - 2", + "20%", + "Vendavel Fortress" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Alpha Coralhorn" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Coralhorn" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Hyena" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Coralhorn" + }, + { + "chance": "22.2%", + "quantity": "1", + "source": "Alpha Coralhorn" + }, + { + "chance": "15.4%", + "quantity": "1", + "source": "Armored Hyena" + } + ], + "raw_rows": [ + [ + "Alpha Coralhorn", + "1", + "100%" + ], + [ + "Coralhorn", + "1", + "100%" + ], + [ + "Hyena", + "1", + "100%" + ], + [ + "Coralhorn", + "1", + "33.3%" + ], + [ + "Alpha Coralhorn", + "1", + "22.2%" + ], + [ + "Armored Hyena", + "1", + "15.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "2 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "2 - 6", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "2 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "2 - 6", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "2 - 6", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "2 - 6", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "2 - 6", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Compromised Mana Transfer Station, Under Island", + "quantity": "2 - 6", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters", + "quantity": "2 - 6", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress", + "quantity": "2 - 6", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "2 - 6", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "2 - 6", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "2 - 6", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "2 - 6", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "2 - 6", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "2 - 6", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "2 - 6", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "2 - 6", + "9.8%", + "Compromised Mana Transfer Station, Under Island" + ], + [ + "Looter's Corpse", + "2 - 6", + "9.8%", + "Abandoned Living Quarters" + ], + [ + "Ornate Chest", + "2 - 6", + "9.8%", + "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress" + ] + ] + } + ], + "description": "Hide is a crafting item obtained from wildlife enemies in Outward." + }, + { + "name": "Holy Rage Arrow", + "url": "https://outward.fandom.com/wiki/Holy_Rage_Arrow", + "categories": [ + "DLC: The Three Brothers", + "Arrow", + "Ammunition", + "Items" + ], + "infobox": { + "Buy": "10", + "Class": "Arrow", + "DLC": "The Three Brothers", + "Effects": "+5 Lightning damageInflicts Holy Blaze", + "Object ID": "5200009", + "Sell": "3", + "Type": "Ammunition", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/88/Holy_Rage_Arrow.png/revision/latest/scale-to-width-down/83?cb=20201220075014", + "effects": [ + "+5 Lightning damage", + "Inflicts Holy Blaze (50% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Holy Rage Arrow", + "result_count": "3x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Gold-Lich Mechanism" + ], + "station": "Alchemy Kit", + "source_page": "Holy Rage Arrow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Arrowhead Kit Wood Gold-Lich Mechanism", + "result": "3x Holy Rage Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Holy Rage Arrow", + "Arrowhead Kit Wood Gold-Lich Mechanism", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "5", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "5", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Holy Rage Arrow is an Item in Outward." + }, + { + "name": "Horror Armor", + "url": "https://outward.fandom.com/wiki/Horror_Armor", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "1050", + "Corruption Resist": "-5%", + "DLC": "The Soroboreans", + "Damage Bonus": "20%", + "Damage Resist": "28% -5%", + "Durability": "425", + "Impact Resist": "23%", + "Item Set": "Horror Set", + "Movement Speed": "-6%", + "Object ID": "3100230", + "Protection": "3", + "Sell": "315", + "Slot": "Chest", + "Stamina Cost": "6%", + "Weight": "18" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e6/Horror_Armor.png/revision/latest/scale-to-width-down/83?cb=20200616185441", + "recipes": [ + { + "result": "Horror Armor", + "result_count": "1x", + "ingredients": [ + "Halfplate Armor", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Armor" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Halfplate Armor Pure Chitin Horror Chitin Palladium Scrap", + "result": "1x Horror Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Armor", + "Halfplate Armor Pure Chitin Horror Chitin Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Horror Armor is a type of Equipment in Outward." + }, + { + "name": "Horror Axe", + "url": "https://outward.fandom.com/wiki/Horror_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Axes", + "Damage": "30.75 10.25", + "Durability": "225", + "Effects": "Extreme Poison", + "Impact": "29", + "Item Set": "Horror Set", + "Object ID": "2010100", + "Sell": "300", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6e/Horror_Axe.png/revision/latest?cb=20190412200611", + "effects": [ + "Inflicts Extreme Poison (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Axe", + "result_count": "1x", + "ingredients": [ + "Fang Axe", + "Horror Chitin", + "Palladium Scrap", + "Occult Remains" + ], + "station": "None", + "source_page": "Horror Axe" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Horror Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "30.75 10.25", + "description": "Two slashing strikes, right to left", + "impact": "29", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.72", + "damage": "39.98 13.33", + "description": "Fast, triple-attack strike", + "impact": "37.7", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "39.98 13.33", + "description": "Quick double strike", + "impact": "37.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "39.98 13.33", + "description": "Wide-sweeping double strike", + "impact": "37.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30.75 10.25", + "29", + "5.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "39.98 13.33", + "37.7", + "6.72", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "39.98 13.33", + "37.7", + "6.72", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "39.98 13.33", + "37.7", + "6.72", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang Axe Horror Chitin Palladium Scrap Occult Remains", + "result": "1x Horror Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Axe", + "Fang Axe Horror Chitin Palladium Scrap Occult Remains", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Horror Axe is a one-handed axe in Outward." + }, + { + "name": "Horror Bow", + "url": "https://outward.fandom.com/wiki/Horror_Bow", + "categories": [ + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Bows", + "Damage": "40", + "Durability": "200", + "Effects": "Poisoned", + "Impact": "21", + "Item Set": "Horror Set", + "Object ID": "2200030", + "Sell": "750", + "Stamina Cost": "5.72", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "effects": [ + "Inflicts Poisoned (45% buildup)" + ], + "effect_links": [ + "/wiki/Poisoned", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Bow", + "result_count": "1x", + "ingredients": [ + "Horror Chitin", + "Horror Chitin", + "War Bow", + "Occult Remains" + ], + "station": "None", + "source_page": "Horror Bow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Horror Chitin Horror Chitin War Bow Occult Remains", + "result": "1x Horror Bow", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Bow", + "Horror Chitin Horror Chitin War Bow Occult Remains", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Gain +10 flat Decay damageWeapon now inflicts Extreme Poison (21% buildup)", + "enchantment": "Irrepressible Anger" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Irrepressible Anger", + "Gain +10 flat Decay damageWeapon now inflicts Extreme Poison (21% buildup)" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Horror Bow is a bow in Outward." + }, + { + "name": "Horror Chakram", + "url": "https://outward.fandom.com/wiki/Horror_Chakram", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Chakrams", + "DLC": "The Soroboreans", + "Damage": "34.5 11.5", + "Durability": "375", + "Effects": "Extreme Poison", + "Impact": "45", + "Item Set": "Horror Set", + "Object ID": "5110091", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3e/Horror_Chakram.png/revision/latest/scale-to-width-down/83?cb=20200616185443", + "effects": [ + "Inflicts Extreme Poison (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Chakram", + "result_count": "1x", + "ingredients": [ + "Thorn Chakram", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chakram" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Thorn Chakram Horror Chitin Occult Remains Palladium Scrap", + "result": "1x Horror Chakram", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Chakram", + "Thorn Chakram Horror Chitin Occult Remains Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + } + ], + "description": "Horror Chakram is a type of Weapon in Outward." + }, + { + "name": "Horror Chitin", + "url": "https://outward.fandom.com/wiki/Horror_Chitin", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Object ID": "6600120", + "Sell": "60", + "Type": "Ingredient", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e1/Horror_Chitin.png/revision/latest?cb=20190424173728", + "recipes": [ + { + "result": "Great Life Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Horror Chitin", + "Krimp Nut" + ], + "station": "Alchemy Kit", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Armor", + "result_count": "1x", + "ingredients": [ + "Halfplate Armor", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Axe", + "result_count": "1x", + "ingredients": [ + "Fang Axe", + "Horror Chitin", + "Palladium Scrap", + "Occult Remains" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Bow", + "result_count": "1x", + "ingredients": [ + "Horror Chitin", + "Horror Chitin", + "War Bow", + "Occult Remains" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Chakram", + "result_count": "1x", + "ingredients": [ + "Thorn Chakram", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Fists", + "result_count": "1x", + "ingredients": [ + "Horror Chitin", + "Horror Chitin", + "Palladium Wristband", + "Palladium Wristband" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Greataxe", + "result_count": "1x", + "ingredients": [ + "Fang Greataxe", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Greatmace", + "result_count": "1x", + "ingredients": [ + "Fang Greatclub", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Greatsword", + "result_count": "1x", + "ingredients": [ + "Fang Greatsword", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Greaves", + "result_count": "1x", + "ingredients": [ + "Halfplate Boots", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Halberd", + "result_count": "1x", + "ingredients": [ + "Fang Halberd", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Helm", + "result_count": "1x", + "ingredients": [ + "Halfplate Helm", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Mace", + "result_count": "1x", + "ingredients": [ + "Fang Club", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Pistol", + "result_count": "1x", + "ingredients": [ + "Cannon Pistol", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Shield", + "result_count": "1x", + "ingredients": [ + "Fang Shield", + "Horror Chitin", + "Palladium Scrap", + "Occult Remains" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Spear", + "result_count": "1x", + "ingredients": [ + "Fang Trident", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Horror Sword", + "result_count": "1x", + "ingredients": [ + "Fang Sword", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Chitin" + }, + { + "result": "Scourge Cocoon", + "result_count": "2x", + "ingredients": [ + "Occult Remains", + "Horror Chitin", + "Veaber's Egg", + "Veaber's Egg" + ], + "station": "None", + "source_page": "Horror Chitin" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterHorror ChitinKrimp Nut", + "result": "3x Great Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Halfplate ArmorPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Armor", + "station": "None" + }, + { + "ingredients": "Fang AxeHorror ChitinPalladium ScrapOccult Remains", + "result": "1x Horror Axe", + "station": "None" + }, + { + "ingredients": "Horror ChitinHorror ChitinWar BowOccult Remains", + "result": "1x Horror Bow", + "station": "None" + }, + { + "ingredients": "Thorn ChakramHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Chakram", + "station": "None" + }, + { + "ingredients": "Horror ChitinHorror ChitinPalladium WristbandPalladium Wristband", + "result": "1x Horror Fists", + "station": "None" + }, + { + "ingredients": "Fang GreataxeHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greataxe", + "station": "None" + }, + { + "ingredients": "Fang GreatclubHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greatmace", + "station": "None" + }, + { + "ingredients": "Fang GreatswordHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greatsword", + "station": "None" + }, + { + "ingredients": "Halfplate BootsPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Greaves", + "station": "None" + }, + { + "ingredients": "Fang HalberdHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Halberd", + "station": "None" + }, + { + "ingredients": "Halfplate HelmPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Helm", + "station": "None" + }, + { + "ingredients": "Fang ClubHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Mace", + "station": "None" + }, + { + "ingredients": "Cannon PistolHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Pistol", + "station": "None" + }, + { + "ingredients": "Fang ShieldHorror ChitinPalladium ScrapOccult Remains", + "result": "1x Horror Shield", + "station": "None" + }, + { + "ingredients": "Fang TridentHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Spear", + "station": "None" + }, + { + "ingredients": "Fang SwordHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Sword", + "station": "None" + }, + { + "ingredients": "Occult RemainsHorror ChitinVeaber's EggVeaber's Egg", + "result": "2x Scourge Cocoon", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Great Life Potion", + "WaterHorror ChitinKrimp Nut", + "Alchemy Kit" + ], + [ + "1x Horror Armor", + "Halfplate ArmorPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Horror Axe", + "Fang AxeHorror ChitinPalladium ScrapOccult Remains", + "None" + ], + [ + "1x Horror Bow", + "Horror ChitinHorror ChitinWar BowOccult Remains", + "None" + ], + [ + "1x Horror Chakram", + "Thorn ChakramHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Fists", + "Horror ChitinHorror ChitinPalladium WristbandPalladium Wristband", + "None" + ], + [ + "1x Horror Greataxe", + "Fang GreataxeHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Greatmace", + "Fang GreatclubHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Greatsword", + "Fang GreatswordHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Greaves", + "Halfplate BootsPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Horror Halberd", + "Fang HalberdHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Helm", + "Halfplate HelmPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Horror Mace", + "Fang ClubHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Pistol", + "Cannon PistolHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Shield", + "Fang ShieldHorror ChitinPalladium ScrapOccult Remains", + "None" + ], + [ + "1x Horror Spear", + "Fang TridentHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Sword", + "Fang SwordHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "2x Scourge Cocoon", + "Occult RemainsHorror ChitinVeaber's EggVeaber's Egg", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Sandrose Horror" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Shell Horror" + }, + { + "chance": "67.2%", + "quantity": "1 - 5", + "source": "Pure Illuminator" + }, + { + "chance": "67.2%", + "quantity": "1 - 5", + "source": "Sublime Shell" + }, + { + "chance": "15%", + "quantity": "1 - 3", + "source": "Greater Grotesque" + }, + { + "chance": "15%", + "quantity": "1 - 3", + "source": "Grotesque" + } + ], + "raw_rows": [ + [ + "Sandrose Horror", + "1", + "100%" + ], + [ + "Shell Horror", + "1", + "100%" + ], + [ + "Pure Illuminator", + "1 - 5", + "67.2%" + ], + [ + "Sublime Shell", + "1 - 5", + "67.2%" + ], + [ + "Greater Grotesque", + "1 - 3", + "15%" + ], + [ + "Grotesque", + "1 - 3", + "15%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Horror Chitin is a crafting material in Outward." + }, + { + "name": "Horror Fists", + "url": "https://outward.fandom.com/wiki/Horror_Fists", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "30 10", + "Durability": "300", + "Effects": "Extreme Poison", + "Impact": "17", + "Item Set": "Horror Set", + "Object ID": "2160060", + "Sell": "600", + "Stamina Cost": "2.8", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/51/Horror_Fists.png/revision/latest/scale-to-width-down/83?cb=20200616185445", + "effects": [ + "Inflicts Extreme Poison (22.5% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Fists", + "result_count": "1x", + "ingredients": [ + "Horror Chitin", + "Horror Chitin", + "Palladium Wristband", + "Palladium Wristband" + ], + "station": "None", + "source_page": "Horror Fists" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.8", + "damage": "30 10", + "description": "Four fast punches, right to left", + "impact": "17", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.64", + "damage": "39 13", + "description": "Forward-lunging left hook", + "impact": "22.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "39 13", + "description": "Left dodging, left uppercut", + "impact": "22.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "39 13", + "description": "Right dodging, right spinning hammer strike", + "impact": "22.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30 10", + "17", + "2.8", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "39 13", + "22.1", + "3.64", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "39 13", + "22.1", + "3.36", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "39 13", + "22.1", + "3.36", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Horror Chitin Horror Chitin Palladium Wristband Palladium Wristband", + "result": "1x Horror Fists", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Fists", + "Horror Chitin Horror Chitin Palladium Wristband Palladium Wristband", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Horror Fists is a type of Weapon in Outward." + }, + { + "name": "Horror Greataxe", + "url": "https://outward.fandom.com/wiki/Horror_Greataxe", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "40.5 13.5", + "Durability": "300", + "Effects": "Extreme Poison", + "Impact": "43", + "Item Set": "Horror Set", + "Object ID": "2110120", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bb/Horror_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20200616185447", + "effects": [ + "Inflicts Extreme Poison (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Greataxe", + "result_count": "1x", + "ingredients": [ + "Fang Greataxe", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "40.5 13.5", + "description": "Two slashing strikes, left to right", + "impact": "43", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "52.65 17.55", + "description": "Uppercut strike into right sweep strike", + "impact": "55.9", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "52.65 17.55", + "description": "Left-spinning double strike", + "impact": "55.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.4", + "damage": "52.65 17.55", + "description": "Right-spinning double strike", + "impact": "55.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "40.5 13.5", + "43", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "52.65 17.55", + "55.9", + "10.59", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "52.65 17.55", + "55.9", + "10.59", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "52.65 17.55", + "55.9", + "10.4", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang Greataxe Horror Chitin Occult Remains Palladium Scrap", + "result": "1x Horror Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Greataxe", + "Fang Greataxe Horror Chitin Occult Remains Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Horror Greataxe is a type of Weapon in Outward." + }, + { + "name": "Horror Greatmace", + "url": "https://outward.fandom.com/wiki/Horror_Greatmace", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "37.5 12.5", + "Durability": "350", + "Effects": "Extreme Poison", + "Impact": "56", + "Item Set": "Horror Set", + "Object ID": "2120150", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fa/Horror_Greatmace.png/revision/latest/scale-to-width-down/83?cb=20200616185448", + "effects": [ + "Inflicts Extreme Poison (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Greatmace", + "result_count": "1x", + "ingredients": [ + "Fang Greatclub", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Greatmace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "37.5 12.5", + "description": "Two slashing strikes, left to right", + "impact": "56", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "28.13 9.38", + "description": "Blunt strike with high impact", + "impact": "112", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "52.5 17.5", + "description": "Powerful overhead strike", + "impact": "78.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "52.5 17.5", + "description": "Forward-running uppercut strike", + "impact": "78.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37.5 12.5", + "56", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "28.13 9.38", + "112", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "52.5 17.5", + "78.4", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "52.5 17.5", + "78.4", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang Greatclub Horror Chitin Occult Remains Palladium Scrap", + "result": "1x Horror Greatmace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Greatmace", + "Fang Greatclub Horror Chitin Occult Remains Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Horror Greatmace is a type of Weapon in Outward." + }, + { + "name": "Horror Greatsword", + "url": "https://outward.fandom.com/wiki/Horror_Greatsword", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Swords", + "DLC": "The Soroboreans", + "Damage": "39 13", + "Durability": "275", + "Effects": "Extreme Poison", + "Impact": "47", + "Item Set": "Horror Set", + "Object ID": "2100170", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c1/Horror_Greatsword.png/revision/latest/scale-to-width-down/83?cb=20200616185450", + "effects": [ + "Inflicts Extreme Poison (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Greatsword", + "result_count": "1x", + "ingredients": [ + "Fang Greatsword", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Greatsword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "39 13", + "description": "Two slashing strikes, left to right", + "impact": "47", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10.01", + "damage": "58.5 19.5", + "description": "Overhead downward-thrusting strike", + "impact": "70.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "49.33 16.45", + "description": "Spinning strike from the right", + "impact": "51.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "49.33 16.45", + "description": "Spinning strike from the left", + "impact": "51.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "39 13", + "47", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "58.5 19.5", + "70.5", + "10.01", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "49.33 16.45", + "51.7", + "8.47", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.33 16.45", + "51.7", + "8.47", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang Greatsword Horror Chitin Occult Remains Palladium Scrap", + "result": "1x Horror Greatsword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Greatsword", + "Fang Greatsword Horror Chitin Occult Remains Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Horror Greatsword is a type of Weapon in Outward." + }, + { + "name": "Horror Greaves", + "url": "https://outward.fandom.com/wiki/Horror_Greaves", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "525", + "Corruption Resist": "-5%", + "DLC": "The Soroboreans", + "Damage Bonus": "10%", + "Damage Resist": "20% -5%", + "Durability": "425", + "Impact Resist": "13%", + "Item Set": "Horror Set", + "Movement Speed": "-4%", + "Object ID": "3100232", + "Protection": "2", + "Sell": "158", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "12" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b2/Horror_Greaves.png/revision/latest/scale-to-width-down/83?cb=20200616185451", + "recipes": [ + { + "result": "Horror Greaves", + "result_count": "1x", + "ingredients": [ + "Halfplate Boots", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Greaves" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Halfplate Boots Pure Chitin Horror Chitin Palladium Scrap", + "result": "1x Horror Greaves", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Greaves", + "Halfplate Boots Pure Chitin Horror Chitin Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Horror Greaves is a type of Equipment in Outward." + }, + { + "name": "Horror Halberd", + "url": "https://outward.fandom.com/wiki/Horror_Halberd", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Polearms", + "DLC": "The Soroboreans", + "Damage": "34.5 11.5", + "Durability": "300", + "Effects": "Extreme Poison", + "Impact": "49", + "Item Set": "Horror Set", + "Object ID": "2140135", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0d/Horror_Halberd.png/revision/latest/scale-to-width-down/83?cb=20200616185452", + "effects": [ + "Inflicts Extreme Poison (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Halberd", + "result_count": "1x", + "ingredients": [ + "Fang Halberd", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "34.5 11.5", + "description": "Two wide-sweeping strikes, left to right", + "impact": "49", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "44.85 14.95", + "description": "Forward-thrusting strike", + "impact": "63.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "44.85 14.95", + "description": "Wide-sweeping strike from left", + "impact": "63.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "58.65 19.55", + "description": "Slow but powerful sweeping strike", + "impact": "83.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34.5 11.5", + "49", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "44.85 14.95", + "63.7", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "44.85 14.95", + "63.7", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "58.65 19.55", + "83.3", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang Halberd Horror Chitin Occult Remains Palladium Scrap", + "result": "1x Horror Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Halberd", + "Fang Halberd Horror Chitin Occult Remains Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Horror Halberd is a type of Weapon in Outward." + }, + { + "name": "Horror Helm", + "url": "https://outward.fandom.com/wiki/Horror_Helm", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "525", + "Corruption Resist": "-5%", + "DLC": "The Soroboreans", + "Damage Bonus": "10%", + "Damage Resist": "20% -5%", + "Durability": "425", + "Impact Resist": "13%", + "Item Set": "Horror Set", + "Mana Cost": "30%", + "Movement Speed": "-4%", + "Object ID": "3100231", + "Protection": "2", + "Sell": "158", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2a/Horror_Helm.png/revision/latest/scale-to-width-down/83?cb=20200616185453", + "recipes": [ + { + "result": "Horror Helm", + "result_count": "1x", + "ingredients": [ + "Halfplate Helm", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Helm" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Halfplate Helm Pure Chitin Horror Chitin Palladium Scrap", + "result": "1x Horror Helm", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Helm", + "Halfplate Helm Pure Chitin Horror Chitin Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Horror Helm is a type of Equipment in Outward." + }, + { + "name": "Horror Mace", + "url": "https://outward.fandom.com/wiki/Horror_Mace", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "36 12", + "Durability": "325", + "Effects": "Extreme Poison", + "Impact": "45", + "Item Set": "Horror Set", + "Object ID": "2020180", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0b/Horror_Mace.png/revision/latest/scale-to-width-down/83?cb=20200616185454", + "effects": [ + "Inflicts Extreme Poison (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Mace", + "result_count": "1x", + "ingredients": [ + "Fang Club", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "36 12", + "description": "Two wide-sweeping strikes, right to left", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "46.8 15.6", + "description": "Slow, overhead strike with high impact", + "impact": "112.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "46.8 15.6", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "46.8 15.6", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "36 12", + "45", + "5.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "46.8 15.6", + "112.5", + "7.28", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "46.8 15.6", + "58.5", + "7.28", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "46.8 15.6", + "58.5", + "7.28", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang Club Horror Chitin Occult Remains Palladium Scrap", + "result": "1x Horror Mace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Mace", + "Fang Club Horror Chitin Occult Remains Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Horror Mace is a type of Weapon in Outward." + }, + { + "name": "Horror Pistol", + "url": "https://outward.fandom.com/wiki/Horror_Pistol", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Pistols", + "DLC": "The Soroboreans", + "Damage": "60 25", + "Durability": "175", + "Effects": "Extreme Poison", + "Impact": "45", + "Item Set": "Horror Set", + "Object ID": "5110160", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/42/Horror_Pistol.png/revision/latest/scale-to-width-down/83?cb=20200616185455", + "effects": [ + "Inflicts Extreme Poison (90% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Pistol", + "result_count": "1x", + "ingredients": [ + "Cannon Pistol", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cannon Pistol Horror Chitin Occult Remains Palladium Scrap", + "result": "1x Horror Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Pistol", + "Cannon Pistol Horror Chitin Occult Remains Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + } + ], + "description": "Horror Pistol is a type of Weapon in Outward." + }, + { + "name": "Horror Set", + "url": "https://outward.fandom.com/wiki/Horror_Set", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "2100", + "Corruption Resist": "-15%", + "DLC": "The Soroboreans", + "Damage Bonus": "40%", + "Damage Resist": "68% -15%", + "Durability": "1275", + "Impact Resist": "49%", + "Mana Cost": "30%", + "Movement Speed": "-14%", + "Object ID": "3100230 (Chest)3100232 (Legs)3100231 (Head)", + "Protection": "7", + "Sell": "630", + "Slot": "Set", + "Stamina Cost": "14%", + "Weight": "38.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/75/Horror_Set.png/revision/latest/scale-to-width-down/250?cb=20200308062811", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-6%", + "column_4": "23%", + "column_5": "3", + "column_7": "6%", + "column_8": "–", + "column_9": "-5%", + "damage_bonus%": "20%", + "durability": "425", + "name": "Horror Armor", + "resistances": "28% -5%", + "weight": "18.0" + }, + { + "class": "Boots", + "column_10": "-4%", + "column_4": "13%", + "column_5": "2", + "column_7": "4%", + "column_8": "–", + "column_9": "-5%", + "damage_bonus%": "10%", + "durability": "425", + "name": "Horror Greaves", + "resistances": "20% -5%", + "weight": "12.0" + }, + { + "class": "Helmets", + "column_10": "-4%", + "column_4": "13%", + "column_5": "2", + "column_7": "4%", + "column_8": "30%", + "column_9": "-5%", + "damage_bonus%": "10%", + "durability": "425", + "name": "Horror Helm", + "resistances": "20% -5%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Horror Armor", + "28% -5%", + "23%", + "3", + "20%", + "6%", + "–", + "-5%", + "-6%", + "425", + "18.0", + "Body Armor" + ], + [ + "", + "Horror Greaves", + "20% -5%", + "13%", + "2", + "10%", + "4%", + "–", + "-5%", + "-4%", + "425", + "12.0", + "Boots" + ], + [ + "", + "Horror Helm", + "20% -5%", + "13%", + "2", + "10%", + "4%", + "30%", + "-5%", + "-4%", + "425", + "8.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "29", + "column_6": "5.6", + "damage": "30.75 10.25", + "durability": "225", + "effects": "Extreme Poison", + "name": "Horror Axe", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Bow", + "column_4": "21", + "column_6": "5.72", + "damage": "40", + "durability": "200", + "effects": "Poisoned", + "name": "Horror Bow", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Chakram", + "column_4": "45", + "column_6": "–", + "damage": "34.5 11.5", + "durability": "375", + "effects": "Extreme Poison", + "name": "Horror Chakram", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Gauntlet", + "column_4": "17", + "column_6": "2.8", + "damage": "30 10", + "durability": "300", + "effects": "Extreme Poison", + "name": "Horror Fists", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "2H Axe", + "column_4": "43", + "column_6": "7.7", + "damage": "40.5 13.5", + "durability": "300", + "effects": "Extreme Poison", + "name": "Horror Greataxe", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Mace", + "column_4": "56", + "column_6": "7.7", + "damage": "37.5 12.5", + "durability": "350", + "effects": "Extreme Poison", + "name": "Horror Greatmace", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "2H Sword", + "column_4": "47", + "column_6": "7.7", + "damage": "39 13", + "durability": "275", + "effects": "Extreme Poison", + "name": "Horror Greatsword", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Halberd", + "column_4": "49", + "column_6": "7", + "damage": "34.5 11.5", + "durability": "300", + "effects": "Extreme Poison", + "name": "Horror Halberd", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "1H Mace", + "column_4": "45", + "column_6": "5.6", + "damage": "36 12", + "durability": "325", + "effects": "Extreme Poison", + "name": "Horror Mace", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Pistol", + "column_4": "45", + "column_6": "–", + "damage": "60 25", + "durability": "175", + "effects": "Extreme Poison", + "name": "Horror Pistol", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "Shield", + "column_4": "56", + "column_6": "–", + "damage": "10.2 23.8", + "durability": "250", + "effects": "Extreme Poison", + "name": "Horror Shield", + "resist": "18%", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Spear", + "column_4": "31", + "column_6": "5.6", + "damage": "39 13", + "durability": "225", + "effects": "Extreme Poison", + "name": "Horror Spear", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "1H Sword", + "column_4": "27", + "column_6": "4.9", + "damage": "29.25 9.75", + "durability": "200", + "effects": "Extreme Poison", + "name": "Horror Sword", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Horror Axe", + "30.75 10.25", + "29", + "–", + "5.6", + "1.0", + "225", + "4.0", + "Extreme Poison", + "1H Axe" + ], + [ + "", + "Horror Bow", + "40", + "21", + "–", + "5.72", + "1.0", + "200", + "4.0", + "Poisoned", + "Bow" + ], + [ + "", + "Horror Chakram", + "34.5 11.5", + "45", + "–", + "–", + "1.0", + "375", + "1.0", + "Extreme Poison", + "Chakram" + ], + [ + "", + "Horror Fists", + "30 10", + "17", + "–", + "2.8", + "1.0", + "300", + "3.0", + "Extreme Poison", + "2H Gauntlet" + ], + [ + "", + "Horror Greataxe", + "40.5 13.5", + "43", + "–", + "7.7", + "1.0", + "300", + "6.0", + "Extreme Poison", + "2H Axe" + ], + [ + "", + "Horror Greatmace", + "37.5 12.5", + "56", + "–", + "7.7", + "1.0", + "350", + "7.0", + "Extreme Poison", + "2H Mace" + ], + [ + "", + "Horror Greatsword", + "39 13", + "47", + "–", + "7.7", + "1.0", + "275", + "6.0", + "Extreme Poison", + "2H Sword" + ], + [ + "", + "Horror Halberd", + "34.5 11.5", + "49", + "–", + "7", + "1.0", + "300", + "6.0", + "Extreme Poison", + "Halberd" + ], + [ + "", + "Horror Mace", + "36 12", + "45", + "–", + "5.6", + "1.0", + "325", + "5.0", + "Extreme Poison", + "1H Mace" + ], + [ + "", + "Horror Pistol", + "60 25", + "45", + "–", + "–", + "1.0", + "175", + "1.0", + "Extreme Poison", + "Pistol" + ], + [ + "", + "Horror Shield", + "10.2 23.8", + "56", + "18%", + "–", + "1.0", + "250", + "6.0", + "Extreme Poison", + "Shield" + ], + [ + "", + "Horror Spear", + "39 13", + "31", + "–", + "5.6", + "1.0", + "225", + "5.0", + "Extreme Poison", + "Spear" + ], + [ + "", + "Horror Sword", + "29.25 9.75", + "27", + "–", + "4.9", + "1.0", + "200", + "4.0", + "Extreme Poison", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-6%", + "column_4": "23%", + "column_5": "3", + "column_7": "6%", + "column_8": "–", + "column_9": "-5%", + "damage_bonus%": "20%", + "durability": "425", + "name": "Horror Armor", + "resistances": "28% -5%", + "weight": "18.0" + }, + { + "class": "Boots", + "column_10": "-4%", + "column_4": "13%", + "column_5": "2", + "column_7": "4%", + "column_8": "–", + "column_9": "-5%", + "damage_bonus%": "10%", + "durability": "425", + "name": "Horror Greaves", + "resistances": "20% -5%", + "weight": "12.0" + }, + { + "class": "Helmets", + "column_10": "-4%", + "column_4": "13%", + "column_5": "2", + "column_7": "4%", + "column_8": "30%", + "column_9": "-5%", + "damage_bonus%": "10%", + "durability": "425", + "name": "Horror Helm", + "resistances": "20% -5%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Horror Armor", + "28% -5%", + "23%", + "3", + "20%", + "6%", + "–", + "-5%", + "-6%", + "425", + "18.0", + "Body Armor" + ], + [ + "", + "Horror Greaves", + "20% -5%", + "13%", + "2", + "10%", + "4%", + "–", + "-5%", + "-4%", + "425", + "12.0", + "Boots" + ], + [ + "", + "Horror Helm", + "20% -5%", + "13%", + "2", + "10%", + "4%", + "30%", + "-5%", + "-4%", + "425", + "8.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "29", + "column_6": "5.6", + "damage": "30.75 10.25", + "durability": "225", + "effects": "Extreme Poison", + "name": "Horror Axe", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Bow", + "column_4": "21", + "column_6": "5.72", + "damage": "40", + "durability": "200", + "effects": "Poisoned", + "name": "Horror Bow", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Chakram", + "column_4": "45", + "column_6": "–", + "damage": "34.5 11.5", + "durability": "375", + "effects": "Extreme Poison", + "name": "Horror Chakram", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Gauntlet", + "column_4": "17", + "column_6": "2.8", + "damage": "30 10", + "durability": "300", + "effects": "Extreme Poison", + "name": "Horror Fists", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "2H Axe", + "column_4": "43", + "column_6": "7.7", + "damage": "40.5 13.5", + "durability": "300", + "effects": "Extreme Poison", + "name": "Horror Greataxe", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Mace", + "column_4": "56", + "column_6": "7.7", + "damage": "37.5 12.5", + "durability": "350", + "effects": "Extreme Poison", + "name": "Horror Greatmace", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "2H Sword", + "column_4": "47", + "column_6": "7.7", + "damage": "39 13", + "durability": "275", + "effects": "Extreme Poison", + "name": "Horror Greatsword", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Halberd", + "column_4": "49", + "column_6": "7", + "damage": "34.5 11.5", + "durability": "300", + "effects": "Extreme Poison", + "name": "Horror Halberd", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "1H Mace", + "column_4": "45", + "column_6": "5.6", + "damage": "36 12", + "durability": "325", + "effects": "Extreme Poison", + "name": "Horror Mace", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Pistol", + "column_4": "45", + "column_6": "–", + "damage": "60 25", + "durability": "175", + "effects": "Extreme Poison", + "name": "Horror Pistol", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "Shield", + "column_4": "56", + "column_6": "–", + "damage": "10.2 23.8", + "durability": "250", + "effects": "Extreme Poison", + "name": "Horror Shield", + "resist": "18%", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Spear", + "column_4": "31", + "column_6": "5.6", + "damage": "39 13", + "durability": "225", + "effects": "Extreme Poison", + "name": "Horror Spear", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "1H Sword", + "column_4": "27", + "column_6": "4.9", + "damage": "29.25 9.75", + "durability": "200", + "effects": "Extreme Poison", + "name": "Horror Sword", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Horror Axe", + "30.75 10.25", + "29", + "–", + "5.6", + "1.0", + "225", + "4.0", + "Extreme Poison", + "1H Axe" + ], + [ + "", + "Horror Bow", + "40", + "21", + "–", + "5.72", + "1.0", + "200", + "4.0", + "Poisoned", + "Bow" + ], + [ + "", + "Horror Chakram", + "34.5 11.5", + "45", + "–", + "–", + "1.0", + "375", + "1.0", + "Extreme Poison", + "Chakram" + ], + [ + "", + "Horror Fists", + "30 10", + "17", + "–", + "2.8", + "1.0", + "300", + "3.0", + "Extreme Poison", + "2H Gauntlet" + ], + [ + "", + "Horror Greataxe", + "40.5 13.5", + "43", + "–", + "7.7", + "1.0", + "300", + "6.0", + "Extreme Poison", + "2H Axe" + ], + [ + "", + "Horror Greatmace", + "37.5 12.5", + "56", + "–", + "7.7", + "1.0", + "350", + "7.0", + "Extreme Poison", + "2H Mace" + ], + [ + "", + "Horror Greatsword", + "39 13", + "47", + "–", + "7.7", + "1.0", + "275", + "6.0", + "Extreme Poison", + "2H Sword" + ], + [ + "", + "Horror Halberd", + "34.5 11.5", + "49", + "–", + "7", + "1.0", + "300", + "6.0", + "Extreme Poison", + "Halberd" + ], + [ + "", + "Horror Mace", + "36 12", + "45", + "–", + "5.6", + "1.0", + "325", + "5.0", + "Extreme Poison", + "1H Mace" + ], + [ + "", + "Horror Pistol", + "60 25", + "45", + "–", + "–", + "1.0", + "175", + "1.0", + "Extreme Poison", + "Pistol" + ], + [ + "", + "Horror Shield", + "10.2 23.8", + "56", + "18%", + "–", + "1.0", + "250", + "6.0", + "Extreme Poison", + "Shield" + ], + [ + "", + "Horror Spear", + "39 13", + "31", + "–", + "5.6", + "1.0", + "225", + "5.0", + "Extreme Poison", + "Spear" + ], + [ + "", + "Horror Sword", + "29.25 9.75", + "27", + "–", + "4.9", + "1.0", + "200", + "4.0", + "Extreme Poison", + "1H Sword" + ] + ] + } + ], + "description": "Horror Set is a Set in Outward." + }, + { + "name": "Horror Shield", + "url": "https://outward.fandom.com/wiki/Horror_Shield", + "categories": [ + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Shields", + "Damage": "10.2 23.8", + "Durability": "250", + "Effects": "Extreme Poison", + "Impact": "56", + "Impact Resist": "18%", + "Item Set": "Horror Set", + "Object ID": "2300160", + "Sell": "270", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/26/Horror_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407070558", + "effects": [ + "Inflicts Extreme Poison (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Shield", + "result_count": "1x", + "ingredients": [ + "Fang Shield", + "Horror Chitin", + "Palladium Scrap", + "Occult Remains" + ], + "station": "None", + "source_page": "Horror Shield" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Horror Shield" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang Shield Horror Chitin Palladium Scrap Occult Remains", + "result": "1x Horror Shield", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Shield", + "Fang Shield Horror Chitin Palladium Scrap Occult Remains", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Horror Shield is a craftable shield found in Outward." + }, + { + "name": "Horror Spear", + "url": "https://outward.fandom.com/wiki/Horror_Spear", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Spears", + "DLC": "The Soroboreans", + "Damage": "39 13", + "Durability": "225", + "Effects": "Extreme Poison", + "Impact": "31", + "Item Set": "Horror Set", + "Object ID": "2130170", + "Sell": "750", + "Stamina Cost": "5.6", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/03/Horror_Spear.png/revision/latest/scale-to-width-down/83?cb=20200616185457", + "effects": [ + "Inflicts Extreme Poison (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Spear", + "result_count": "1x", + "ingredients": [ + "Fang Trident", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "39 13", + "description": "Two forward-thrusting stabs", + "impact": "31", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7", + "damage": "54.6 18.2", + "description": "Forward-lunging strike", + "impact": "37.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "50.7 16.9", + "description": "Left-sweeping strike, jump back", + "impact": "37.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "46.8 15.6", + "description": "Fast spinning strike from the right", + "impact": "34.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "39 13", + "31", + "5.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "54.6 18.2", + "37.2", + "7", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "50.7 16.9", + "37.2", + "7", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "46.8 15.6", + "34.1", + "7", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang Trident Horror Chitin Occult Remains Palladium Scrap", + "result": "1x Horror Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Spear", + "Fang Trident Horror Chitin Occult Remains Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Horror Spear is a type of Weapon in Outward." + }, + { + "name": "Horror Sword", + "url": "https://outward.fandom.com/wiki/Horror_Sword", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Swords", + "DLC": "The Soroboreans", + "Damage": "29.25 9.75", + "Durability": "200", + "Effects": "Extreme Poison", + "Impact": "27", + "Item Set": "Horror Set", + "Object ID": "2000180", + "Sell": "600", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a6/Horror_Sword.png/revision/latest/scale-to-width-down/83?cb=20200616185458", + "effects": [ + "Inflicts Extreme Poison (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Sword", + "result_count": "1x", + "ingredients": [ + "Fang Sword", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Horror Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.9", + "damage": "29.25 9.75", + "description": "Two slash attacks, left to right", + "impact": "27", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.88", + "damage": "43.73 14.58", + "description": "Forward-thrusting strike", + "impact": "35.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "37 12.33", + "description": "Heavy left-lunging strike", + "impact": "29.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "37 12.33", + "description": "Heavy right-lunging strike", + "impact": "29.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29.25 9.75", + "27", + "4.9", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "43.73 14.58", + "35.1", + "5.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "37 12.33", + "29.7", + "5.39", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "37 12.33", + "29.7", + "5.39", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fang Sword Horror Chitin Occult Remains Palladium Scrap", + "result": "1x Horror Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Sword", + "Fang Sword Horror Chitin Occult Remains Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Horror Sword is a type of Weapon in Outward." + }, + { + "name": "Horror's Potion", + "url": "https://outward.fandom.com/wiki/Horror%27s_Potion", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "60", + "DLC": "The Soroboreans", + "Effects": "Restores 100% Burnt Health, Mana and StaminaAdds +10% CorruptionHealth Recovery 5", + "Object ID": "4300340", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b9/Horror%27s_Potion.png/revision/latest/scale-to-width-down/83?cb=20200616185459", + "effects": [ + "Adds 10% Corruption", + "Restores 100% Burnt Health, Mana and Stamina", + "Player receives Health Recovery (level 5)" + ], + "recipes": [ + { + "result": "Horror's Potion", + "result_count": "1x", + "ingredients": [ + "Life Potion", + "Seaweed", + "Rancid Water", + "Liquid Corruption" + ], + "station": "Alchemy Kit", + "source_page": "Horror's Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Life Potion Seaweed Rancid Water Liquid Corruption", + "result": "1x Horror's Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Horror's Potion", + "Life Potion Seaweed Rancid Water Liquid Corruption", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 5", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "2 - 5", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Immaculate Warlock" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Sandrose Horror" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Immaculate Warlock", + "1", + "100%" + ], + [ + "Sandrose Horror", + "3", + "100%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "14.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.3%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "5.3%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5.3%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5.3%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "5.3%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5.3%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 2", + "5.3%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "5.3%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 2", + "5.3%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 2", + "5.3%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 2", + "5.3%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "5.3%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Horror's Potion is an Item in Outward." + }, + { + "name": "Hound Mask", + "url": "https://outward.fandom.com/wiki/Hound_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "125", + "Damage Bonus": "10%", + "Damage Resist": "10%", + "Durability": "180", + "Impact Resist": "5%", + "Object ID": "3000103", + "Sell": "38", + "Slot": "Head", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/47/Hound_Mask.png/revision/latest?cb=20190407194302", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Stone Titan Caves", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, Electric Lab, The Slide, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Captain's Cabin, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Levant", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Stone Titan Caves" + ], + [ + "Chest", + "1", + "5.9%", + "Abrassar, Electric Lab, The Slide, Undercity Passage" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Captain's Cabin, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Abrassar, The Slide, Undercity Passage" + ], + [ + "Stash", + "1", + "5.9%", + "Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Hound Mask is a type of Armor in Outward." + }, + { + "name": "Ice Rag", + "url": "https://outward.fandom.com/wiki/Ice_Rag", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "15", + "Effects": "Frost Imbue", + "Object ID": "4400050", + "Perish Time": "∞", + "Sell": "4", + "Type": "Imbues", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/07/Ice_Rag.png/revision/latest?cb=20190417061512", + "effects": [ + "Player receives Frost Imbue", + "Increases damage by 10% as Frost damage", + "Grants +5 flat Frost damage." + ], + "effect_links": [ + "/wiki/Frost_Imbue" + ], + "recipes": [ + { + "result": "Ice Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Seaweed" + ], + "station": "None", + "source_page": "Ice Rag" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "90 seconds", + "effects": "Increases damage by 10% as Frost damageGrants +5 flat Frost damage.", + "name": "Frost Imbue" + } + ], + "raw_rows": [ + [ + "", + "Frost Imbue", + "90 seconds", + "Increases damage by 10% as Frost damageGrants +5 flat Frost damage." + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Linen Cloth Seaweed", + "result": "1x Ice Rag", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ice Rag", + "Linen Cloth Seaweed", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "39.4%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 9", + "source": "Pholiota/Low Stock" + }, + { + "chance": "35.9%", + "locations": "Monsoon", + "quantity": "1 - 9", + "source": "Shopkeeper Lyda" + }, + { + "chance": "35.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "34.4%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "27.1%", + "locations": "Cierzo", + "quantity": "1 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "27.1%", + "locations": "Berg", + "quantity": "1 - 4", + "source": "Vay the Alchemist" + }, + { + "chance": "13.3%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Shopkeeper Suul" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Pholiota/Low Stock", + "1 - 9", + "39.4%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Shopkeeper Lyda", + "1 - 9", + "35.9%", + "Monsoon" + ], + [ + "Felix Jimson, Shopkeeper", + "2 - 20", + "35.3%", + "Harmattan" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "34.4%", + "New Sirocco" + ], + [ + "Helmi the Alchemist", + "1 - 4", + "27.1%", + "Cierzo" + ], + [ + "Vay the Alchemist", + "1 - 4", + "27.1%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1 - 2", + "13.3%", + "Levant" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Greater Grotesque" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Grotesque" + } + ], + "raw_rows": [ + [ + "Greater Grotesque", + "1 - 3", + "28.4%" + ], + [ + "Grotesque", + "1 - 3", + "28.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 4", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 4", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ] + ] + } + ], + "description": "Ice Rag is an Consumable item in Outward, which grants an Imbue." + }, + { + "name": "Ice Totemic Lodge", + "url": "https://outward.fandom.com/wiki/Ice_Totemic_Lodge", + "categories": [ + "DLC: The Three Brothers", + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "220", + "Class": "Deployable", + "DLC": "The Three Brothers", + "Duration": "2400 seconds (40 minutes)", + "Effects": "-15% Stamina costs+10% Frost damage bonus-35% Fire resistance", + "Object ID": "5000228", + "Sell": "66", + "Type": "Sleep", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3b/Ice_Totemic_Lodge.png/revision/latest/scale-to-width-down/83?cb=20201220075016", + "effects": [ + "-15% Stamina costs", + "+10% Frost damage bonus", + "-35% Fire resistance" + ], + "recipes": [ + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Ice Totemic Lodge" + }, + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Ice Totemic Lodge" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Ice Totemic Lodge" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Ice Totemic Lodge" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Ice Totemic Lodge" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Ice Totemic Lodge" + } + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "-15% Stamina costs+10% Frost damage bonus-35% Fire resistance", + "name": "Sleep: Ice Totemic Lodge" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Ice Totemic Lodge", + "2400 seconds (40 minutes)", + "-15% Stamina costs+10% Frost damage bonus-35% Fire resistance" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced Tent Chalcedony Crystal Powder Predator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ice Totemic Lodge", + "Advanced Tent Chalcedony Crystal Powder Predator Bones", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ] + ] + } + ], + "description": "Ice Totemic Lodge is an Item in Outward." + }, + { + "name": "Ice Varnish", + "url": "https://outward.fandom.com/wiki/Ice_Varnish", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "40", + "Effects": "Greater Frost Imbue", + "Object ID": "4400051", + "Perish Time": "∞", + "Sell": "12", + "Type": "Imbues", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e8/Ice_Varnish.png/revision/latest/scale-to-width-down/83?cb=20190410225623", + "effects": [ + "Player receives Greater Frost Imbue", + "Increases damage by 10% as Frost damage", + "Grants +15 flat Frost damage.", + "Inflicts Slow Down (40%)" + ], + "effect_links": [ + "/wiki/Greater_Frost_Imbue" + ], + "recipes": [ + { + "result": "Ice Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Livweedi", + "Cold Stone" + ], + "station": "Alchemy Kit", + "source_page": "Ice Varnish" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "180 seconds", + "effects": "Increases damage by 10% as Frost damageGrants +15 flat Frost damage.Inflicts Slow Down (40%)", + "name": "Greater Frost Imbue" + } + ], + "raw_rows": [ + [ + "", + "Greater Frost Imbue", + "180 seconds", + "Increases damage by 10% as Frost damageGrants +15 flat Frost damage.Inflicts Slow Down (40%)" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberry Wine Livweedi Cold Stone", + "result": "1x Ice Varnish", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Ice Varnish", + "Gaberry Wine Livweedi Cold Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "44.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "34.4%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "27.1%", + "locations": "Cierzo", + "quantity": "1 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "27.1%", + "locations": "Berg", + "quantity": "1 - 4", + "source": "Vay the Alchemist" + }, + { + "chance": "13.3%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "11.4%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "11.4%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "3", + "44.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "34.4%", + "New Sirocco" + ], + [ + "Helmi the Alchemist", + "1 - 4", + "27.1%", + "Cierzo" + ], + [ + "Vay the Alchemist", + "1 - 4", + "27.1%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1", + "13.3%", + "Levant" + ], + [ + "Gold Belly", + "1", + "11.4%", + "Giants' Village" + ], + [ + "Silver-Nose the Trader", + "1", + "11.4%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Friendly Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Raider" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Warlock" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Quartz Elemental" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Ghost (Red)" + } + ], + "raw_rows": [ + [ + "Friendly Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate Raider", + "1 - 5", + "41%" + ], + [ + "Immaculate Warlock", + "1 - 5", + "41%" + ], + [ + "Quartz Elemental", + "1", + "33.3%" + ], + [ + "Ghost (Red)", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Ice Varnish is an Consumable item in Outward, which grants an Imbue." + }, + { + "name": "Ice-Flame Torch", + "url": "https://outward.fandom.com/wiki/Ice-Flame_Torch", + "categories": [ + "Items", + "Equipment", + "Lanterns" + ], + "infobox": { + "Buy": "20", + "Class": "Lanterns", + "Durability": "500", + "Object ID": "5100070", + "Sell": "6", + "Type": "Torch", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0c/Ice-Flame_Torch.png/revision/latest?cb=20190411075440", + "recipes": [ + { + "result": "Ice-Flame Torch", + "result_count": "1x", + "ingredients": [ + "Makeshift Torch", + "Cold Stone", + "Iron Scrap" + ], + "station": "None", + "source_page": "Ice-Flame Torch" + }, + { + "result": "Ice-Flame Torch", + "result_count": "1x", + "ingredients": [ + "Ice-Flame Torch", + "Cold Stone" + ], + "station": "None", + "source_page": "Ice-Flame Torch" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Makeshift Torch Cold Stone Iron Scrap", + "result": "1x Ice-Flame Torch", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ice-Flame Torch", + "Makeshift Torch Cold Stone Iron Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ice-Flame Torch Cold Stone", + "result": "1x Ice-Flame Torch", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ice-Flame Torch", + "Ice-Flame Torch Cold Stone", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "2", + "source": "Shopkeeper Suul" + } + ], + "raw_rows": [ + [ + "Shopkeeper Suul", + "2", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Hive Prison, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Abrassar, Jade Quarry, Scarlet Sanctuary, Undercity Passage, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Royal Manticore's Lair, Wendigo Lair", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "10%", + "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress" + ], + [ + "Corpse", + "1", + "10%", + "Hive Prison, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "10%", + "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage" + ], + [ + "Ornate Chest", + "1", + "10%", + "Abrassar, Jade Quarry, Scarlet Sanctuary, Undercity Passage, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Royal Manticore's Lair, Wendigo Lair" + ] + ] + } + ], + "description": "Ice-Flame Torch is a craftable type of Torch in Outward, which provides protection against Hot temperatures." + }, + { + "name": "Iced Tea", + "url": "https://outward.fandom.com/wiki/Iced_Tea", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "10", + "DLC": "The Three Brothers", + "Drink": "7%", + "Effects": "Restores 20 Burnt ManaCoolCures Indigestion and Meeka Fever", + "Object ID": "4200100", + "Perish Time": "∞", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4f/Iced_Tea.png/revision/latest/scale-to-width-down/83?cb=20201220075017", + "effects": [ + "Restores 7% Thirst", + "Restores 20 burnt Mana", + "Player receives Cool", + "Removes Indigestion", + "Removes Meeka Fever" + ], + "effect_links": [ + "/wiki/Cool" + ], + "recipes": [ + { + "result": "Iced Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Funnel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Iced Tea" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Funnel Beetle", + "result": "1x Iced Tea", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Iced Tea", + "Water Funnel Beetle", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "3 - 5", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "10%", + "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "10%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "10%", + "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Iced Tea is an Item in Outward." + }, + { + "name": "Illuminating Potion", + "url": "https://outward.fandom.com/wiki/Illuminating_Potion", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "60", + "DLC": "The Soroboreans", + "Effects": "Extreme Mana RecoveryAdds +10% Corruption", + "Object ID": "4300330", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b1/Illuminating_Potion.png/revision/latest/scale-to-width-down/83?cb=20200616185500", + "effects": [ + "Adds +10% Corruption", + "Player receives Extreme Mana Recovery" + ], + "recipes": [ + { + "result": "Illuminating Potion", + "result_count": "1x", + "ingredients": [ + "Leyline Water", + "Nightmare Mushroom", + "Gaberry Wine", + "Liquid Corruption" + ], + "station": "Alchemy Kit", + "source_page": "Illuminating Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Leyline Water Nightmare Mushroom Gaberry Wine Liquid Corruption", + "result": "1x Illuminating Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Illuminating Potion", + "Leyline Water Nightmare Mushroom Gaberry Wine Liquid Corruption", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 5", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "2 - 5", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Immaculate Raider" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Vile Illuminator" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Immaculate Raider", + "1", + "100%" + ], + [ + "Vile Illuminator", + "3", + "100%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "14.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.3%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "5.3%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5.3%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5.3%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "5.3%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5.3%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 2", + "5.3%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "5.3%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 2", + "5.3%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 2", + "5.3%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 2", + "5.3%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "5.3%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Illuminating Potion is an Item in Outward." + }, + { + "name": "Improvised Bedroll", + "url": "https://outward.fandom.com/wiki/Improvised_Bedroll", + "categories": [ + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "5", + "Class": "Deployable", + "Object ID": "5000020", + "Sell": "0", + "Type": "Tent", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/50/Improvised_Bedroll.png/revision/latest/scale-to-width-down/83?cb=20190417155133", + "effects": [ + "Can be used for resting, though no positive Sleep Effects are gained other than those from resting itself" + ], + "effect_links": [ + "/wiki/Sleep_(Effect)" + ], + "recipes": [ + { + "result": "Improvised Bedroll", + "result_count": "1x", + "ingredients": [ + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Improvised Bedroll" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hide Hide", + "result": "1x Improvised Bedroll", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Improvised Bedroll", + "Hide Hide", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + }, + { + "chance": "6.7%", + "locations": "Vendavel Fortress", + "quantity": "1 - 2", + "source": "Vendavel Prisoner" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "1", + "100%", + "Giants' Village" + ], + [ + "Shopkeeper Doran", + "1", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "1", + "100%", + "Hallowed Marsh" + ], + [ + "Vendavel Prisoner", + "1 - 2", + "6.7%", + "Vendavel Fortress" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "8.6%", + "locations": "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "8.6%", + "locations": "Blue Chamber's Conflux Path, Forest Hives", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 2", + "8.6%", + "Abrassar, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach" + ], + [ + "Junk Pile", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "8.6%", + "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco" + ], + [ + "Looter's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "8.6%", + "Blue Chamber's Conflux Path, Forest Hives" + ] + ] + } + ], + "description": "Improvised Bedroll is a type of tent in Outward, used for Resting." + }, + { + "name": "Inner Marble Shield", + "url": "https://outward.fandom.com/wiki/Inner_Marble_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Equipment" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Shields", + "Damage": "36", + "Durability": "300", + "Effects": "Confusion", + "Impact": "56", + "Impact Resist": "18%", + "Item Set": "Marble Set", + "Object ID": "2300091", + "Sell": "270", + "Type": "One-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/89/Inner_Marble_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407065903", + "effects": [ + "Inflicts Confusion (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Inner Marble Shield" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "The Last Acolyte" + } + ], + "raw_rows": [ + [ + "The Last Acolyte", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2.9%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "2.9%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Inner Marble Shield is a type of shield in Outward." + }, + { + "name": "Innocence Potion", + "url": "https://outward.fandom.com/wiki/Innocence_Potion", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "80", + "DLC": "The Soroboreans", + "Effects": "Corruption Resistance 1Corruption Recovery 1", + "Object ID": "4300320", + "Perish Time": "∞", + "Sell": "24", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fa/Innocence_Potion.png/revision/latest/scale-to-width-down/83?cb=20200616185502", + "effects": [ + "Player receives Corruption Resistance (level 1)", + "Player receives Corruption Recovery (level 1)" + ], + "recipes": [ + { + "result": "Innocence Potion", + "result_count": "3x", + "ingredients": [ + "Thick Oil", + "Purifying Quartz", + "Dark Stone", + "Boozu's Milk" + ], + "station": "Alchemy Kit", + "source_page": "Innocence Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Thick Oil Purifying Quartz Dark Stone Boozu's Milk", + "result": "3x Innocence Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Innocence Potion", + "Thick Oil Purifying Quartz Dark Stone Boozu's Milk", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 5", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "45.5%", + "locations": "Antique Plateau", + "quantity": "1 - 20", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Harmattan", + "quantity": "1 - 20", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Levant", + "quantity": "1 - 20", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.3%", + "locations": "Berg", + "quantity": "1 - 20", + "source": "Soroborean Caravanner" + }, + { + "chance": "40.5%", + "locations": "Monsoon", + "quantity": "1 - 20", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "26.5%", + "locations": "New Sirocco", + "quantity": "1 - 30", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "2 - 5", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 20", + "45.5%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 20", + "45.5%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 20", + "45.5%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 20", + "41.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 20", + "40.5%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 30", + "26.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Wolfgang Captain", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "14.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.3%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "5.3%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5.3%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5.3%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "5.3%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5.3%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 2", + "5.3%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "5.3%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 2", + "5.3%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 2", + "5.3%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 2", + "5.3%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "5.3%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Innocence Potion is an Item in Outward." + }, + { + "name": "Insect Husk", + "url": "https://outward.fandom.com/wiki/Insect_Husk", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "30", + "Object ID": "6600080", + "Sell": "9", + "Type": "Ingredient", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/51/Insect_Husk.png/revision/latest/scale-to-width-down/63?cb=20200316064917", + "recipes": [ + { + "result": "Chitin Desert Tunic", + "result_count": "1x", + "ingredients": [ + "Desert Tunic", + "Insect Husk" + ], + "station": "None", + "source_page": "Insect Husk" + }, + { + "result": "Stability Potion", + "result_count": "1x", + "ingredients": [ + "Insect Husk", + "Livweedi", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Insect Husk" + }, + { + "result": "Stoneflesh Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle", + "Insect Husk", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Insect Husk" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Desert TunicInsect Husk", + "result": "1x Chitin Desert Tunic", + "station": "None" + }, + { + "ingredients": "Insect HuskLivweediWater", + "result": "1x Stability Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGravel BeetleInsect HuskCrystal Powder", + "result": "1x Stoneflesh Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Chitin Desert Tunic", + "Desert TunicInsect Husk", + "None" + ], + [ + "1x Stability Potion", + "Insect HuskLivweediWater", + "Alchemy Kit" + ], + [ + "1x Stoneflesh Elixir", + "WaterGravel BeetleInsect HuskCrystal Powder", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Accursed Wendigo" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Assassin Bug" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Executioner Bug" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Fire Beetle" + }, + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Gastrocin" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Mana Mantis" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Mantis Shrimp" + }, + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Quartz Gastrocin" + }, + { + "chance": "100%", + "quantity": "1", + "source": "That Annoying Troglodyte" + }, + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Volcanic Gastrocin" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Quartz Beetle" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Rock Mantis" + }, + { + "chance": "12.1%", + "quantity": "1", + "source": "Mantis Shrimp" + }, + { + "chance": "11.1%", + "quantity": "1", + "source": "Crescent Shark" + } + ], + "raw_rows": [ + [ + "Accursed Wendigo", + "1", + "100%" + ], + [ + "Assassin Bug", + "1", + "100%" + ], + [ + "Executioner Bug", + "1", + "100%" + ], + [ + "Fire Beetle", + "1", + "100%" + ], + [ + "Gastrocin", + "1 - 2", + "100%" + ], + [ + "Mana Mantis", + "1", + "100%" + ], + [ + "Mantis Shrimp", + "1", + "100%" + ], + [ + "Quartz Gastrocin", + "1 - 2", + "100%" + ], + [ + "That Annoying Troglodyte", + "1", + "100%" + ], + [ + "Volcanic Gastrocin", + "1 - 2", + "100%" + ], + [ + "Quartz Beetle", + "1", + "20%" + ], + [ + "Rock Mantis", + "1", + "20%" + ], + [ + "Mantis Shrimp", + "1", + "12.1%" + ], + [ + "Crescent Shark", + "1", + "11.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.9%", + "locations": "Under Island", + "quantity": "2 - 8", + "source": "Trog Chest" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "2 - 8", + "16.9%", + "Under Island" + ], + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Insect Husk is an Item in Outward." + }, + { + "name": "Invigorating Potion", + "url": "https://outward.fandom.com/wiki/Invigorating_Potion", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Soroboreans", + "Effects": "Removes Weaken and SappedRestores 20 Burnt Stamina", + "Object ID": "4300280", + "Perish Time": "∞", + "Sell": "5", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7d/Invigorating_Potion.png/revision/latest/scale-to-width-down/83?cb=20200616185503", + "effects": [ + "Restores 20 Burnt Stamina", + "Removes Weaken", + "Removes Sapped" + ], + "effect_links": [ + "/wiki/Sapped" + ], + "recipes": [ + { + "result": "Invigorating Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Sugar", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Invigorating Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Sugar Dreamer's Root", + "result": "3x Invigorating Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Invigorating Potion", + "Water Sugar Dreamer's Root", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "4 - 8", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "4 - 8", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Wolfgang Captain", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "14.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "10.5%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "10.5%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "10.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "10.5%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 3", + "source": "Ornate Chest" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "10.5%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 3", + "10.5%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 3", + "10.5%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 3", + "10.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 3", + "10.5%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Invigorating Potion is an Item in Outward." + }, + { + "name": "Iron Axe", + "url": "https://outward.fandom.com/wiki/Iron_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Axes", + "Damage": "19", + "Durability": "275", + "Impact": "16", + "Item Set": "Iron Set", + "Object ID": "2010000", + "Sell": "6", + "Stamina Cost": "4.4", + "Type": "One-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/81/Iron_Axe.png/revision/latest?cb=20190412200734", + "recipes": [ + { + "result": "Beast Golem Axe", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Iron Axe", + "Spikes – Palladium" + ], + "station": "None", + "source_page": "Iron Axe" + }, + { + "result": "Fang Axe", + "result_count": "1x", + "ingredients": [ + "Iron Axe", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Iron Axe" + }, + { + "result": "Galvanic Axe", + "result_count": "1x", + "ingredients": [ + "Iron Axe", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Iron Axe" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Iron Axe" + }, + { + "result": "Obsidian Axe", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Iron Axe" + ], + "station": "None", + "source_page": "Iron Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.4", + "damage": "19", + "description": "Two slashing strikes, right to left", + "impact": "16", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "5.28", + "damage": "24.7", + "description": "Fast, triple-attack strike", + "impact": "20.8", + "input": "Special" + }, + { + "attacks": "2", + "cost": "5.28", + "damage": "24.7", + "description": "Quick double strike", + "impact": "20.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "5.28", + "damage": "24.7", + "description": "Wide-sweeping double strike", + "impact": "20.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "19", + "16", + "4.4", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "24.7", + "20.8", + "5.28", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "24.7", + "20.8", + "5.28", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "24.7", + "20.8", + "5.28", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Beast Golem ScrapsIron AxeSpikes – Palladium", + "result": "1x Beast Golem Axe", + "station": "None" + }, + { + "ingredients": "Iron AxePredator BonesLinen Cloth", + "result": "1x Fang Axe", + "station": "None" + }, + { + "ingredients": "Iron AxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Axe", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Obsidian ShardPalladium ScrapIron Axe", + "result": "1x Obsidian Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Beast Golem Axe", + "Beast Golem ScrapsIron AxeSpikes – Palladium", + "None" + ], + [ + "1x Fang Axe", + "Iron AxePredator BonesLinen Cloth", + "None" + ], + [ + "1x Galvanic Axe", + "Iron AxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "1x Obsidian Axe", + "Obsidian ShardPalladium ScrapIron Axe", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Animated Skeleton" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Marsh Bandit" + } + ], + "raw_rows": [ + [ + "Animated Skeleton", + "1", + "100%" + ], + [ + "Marsh Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Dark Ziggurat Interior" + ], + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Iron Axe is a one-handed axe in Outward." + }, + { + "name": "Iron Claymore", + "url": "https://outward.fandom.com/wiki/Iron_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "25", + "Class": "Swords", + "Damage": "24", + "Durability": "300", + "Impact": "26", + "Item Set": "Iron Set", + "Object ID": "2100080", + "Sell": "8", + "Stamina Cost": "6.1", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Iron_Claymore.png/revision/latest?cb=20190413074141", + "recipes": [ + { + "result": "Fang Greatsword", + "result_count": "1x", + "ingredients": [ + "Iron Claymore", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Iron Claymore" + }, + { + "result": "Gold-Lich Claymore", + "result_count": "1x", + "ingredients": [ + "Iron Claymore", + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Iron Claymore" + }, + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Iron Claymore" + }, + { + "result": "Obsidian Claymore", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Claymore" + ], + "station": "None", + "source_page": "Iron Claymore" + }, + { + "result": "Thorny Claymore", + "result_count": "1x", + "ingredients": [ + "Thorny Cartilage", + "Thorny Cartilage", + "Iron Claymore", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Iron Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.1", + "damage": "24", + "description": "Two slashing strikes, left to right", + "impact": "26", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.93", + "damage": "36", + "description": "Overhead downward-thrusting strike", + "impact": "39", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.71", + "damage": "30.36", + "description": "Spinning strike from the right", + "impact": "28.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.71", + "damage": "30.36", + "description": "Spinning strike from the left", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24", + "26", + "6.1", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "36", + "39", + "7.93", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "30.36", + "28.6", + "6.71", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "30.36", + "28.6", + "6.71", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron ClaymorePredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Greatsword", + "station": "None" + }, + { + "ingredients": "Iron ClaymoreGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "result": "1x Gold-Lich Claymore", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Claymore", + "result": "1x Obsidian Claymore", + "station": "None" + }, + { + "ingredients": "Thorny CartilageThorny CartilageIron ClaymorePalladium Scrap", + "result": "1x Thorny Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Greatsword", + "Iron ClaymorePredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Gold-Lich Claymore", + "Iron ClaymoreGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "None" + ], + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ], + [ + "1x Obsidian Claymore", + "Obsidian ShardObsidian ShardPalladium ScrapIron Claymore", + "None" + ], + [ + "1x Thorny Claymore", + "Thorny CartilageThorny CartilageIron ClaymorePalladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Animated Skeleton" + } + ], + "raw_rows": [ + [ + "Animated Skeleton", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Iron Claymore is a two-handed sword in Outward." + }, + { + "name": "Iron Greataxe", + "url": "https://outward.fandom.com/wiki/Iron_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "25", + "Class": "Axes", + "Damage": "25", + "Durability": "325", + "Impact": "24", + "Item Set": "Iron Set", + "Object ID": "2110030", + "Sell": "8", + "Stamina Cost": "6.1", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Iron_Greataxe.png/revision/latest?cb=20190412202530", + "recipes": [ + { + "result": "Fang Greataxe", + "result_count": "1x", + "ingredients": [ + "Iron Greataxe", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Iron Greataxe" + }, + { + "result": "Galvanic Greataxe", + "result_count": "1x", + "ingredients": [ + "Iron Greataxe", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Iron Greataxe" + }, + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Iron Greataxe" + }, + { + "result": "Obsidian Greataxe", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Greataxe" + ], + "station": "None", + "source_page": "Iron Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.1", + "damage": "25", + "description": "Two slashing strikes, left to right", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "8.39", + "damage": "32.5", + "description": "Uppercut strike into right sweep strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "8.39", + "damage": "32.5", + "description": "Left-spinning double strike", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "8.24", + "damage": "32.5", + "description": "Right-spinning double strike", + "impact": "31.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "24", + "6.1", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "32.5", + "31.2", + "8.39", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "32.5", + "31.2", + "8.39", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.5", + "31.2", + "8.24", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron GreataxePredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Greataxe", + "station": "None" + }, + { + "ingredients": "Iron GreataxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Greataxe", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Greataxe", + "result": "1x Obsidian Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Greataxe", + "Iron GreataxePredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Galvanic Greataxe", + "Iron GreataxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ], + [ + "1x Obsidian Greataxe", + "Obsidian ShardObsidian ShardPalladium ScrapIron Greataxe", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Iron Greataxe is a two-handed axe in Outward." + }, + { + "name": "Iron Greathammer", + "url": "https://outward.fandom.com/wiki/Iron_Greathammer", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "25", + "Class": "Maces", + "Damage": "23", + "Durability": "375", + "Impact": "31", + "Item Set": "Iron Set", + "Object ID": "2120080", + "Sell": "8", + "Stamina Cost": "6.1", + "Type": "Two-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Iron_Greathammer.png/revision/latest?cb=20190412212038", + "recipes": [ + { + "result": "Fang Greatclub", + "result_count": "1x", + "ingredients": [ + "Iron Greathammer", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Iron Greathammer" + }, + { + "result": "Galvanic Greatmace", + "result_count": "1x", + "ingredients": [ + "Iron Greathammer", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Iron Greathammer" + }, + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Iron Greathammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.1", + "damage": "23", + "description": "Two slashing strikes, left to right", + "impact": "31", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.32", + "damage": "17.25", + "description": "Blunt strike with high impact", + "impact": "62", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.32", + "damage": "32.2", + "description": "Powerful overhead strike", + "impact": "43.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.32", + "damage": "32.2", + "description": "Forward-running uppercut strike", + "impact": "43.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "23", + "31", + "6.1", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "17.25", + "62", + "7.32", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "32.2", + "43.4", + "7.32", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.2", + "43.4", + "7.32", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron GreathammerPredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Greatclub", + "station": "None" + }, + { + "ingredients": "Iron GreathammerShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Greatmace", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Fang Greatclub", + "Iron GreathammerPredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Galvanic Greatmace", + "Iron GreathammerShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Lieutenant" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Marsh Bandit" + } + ], + "raw_rows": [ + [ + "Bandit Lieutenant", + "1", + "100%" + ], + [ + "Marsh Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Iron Greathammer is a two-handed mace in Outward." + }, + { + "name": "Iron Halberd", + "url": "https://outward.fandom.com/wiki/Iron_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "25", + "Class": "Polearms", + "Damage": "21", + "Durability": "325", + "Impact": "27", + "Item Set": "Iron Set", + "Object ID": "2140000", + "Sell": "8", + "Stamina Cost": "5.5", + "Type": "Halberd", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/85/Iron_Halberd.png/revision/latest?cb=20190412213211", + "recipes": [ + { + "result": "Beast Golem Halberd", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Beast Golem Scraps", + "Iron Halberd", + "Spikes – Palladium" + ], + "station": "None", + "source_page": "Iron Halberd" + }, + { + "result": "Fang Halberd", + "result_count": "1x", + "ingredients": [ + "Iron Halberd", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Iron Halberd" + }, + { + "result": "Galvanic Halberd", + "result_count": "1x", + "ingredients": [ + "Iron Halberd", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Iron Halberd" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Iron Halberd" + }, + { + "result": "Obsidian Halberd", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Halberd" + ], + "station": "None", + "source_page": "Iron Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.5", + "damage": "21", + "description": "Two wide-sweeping strikes, left to right", + "impact": "27", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.88", + "damage": "27.3", + "description": "Forward-thrusting strike", + "impact": "35.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.88", + "damage": "27.3", + "description": "Wide-sweeping strike from left", + "impact": "35.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.63", + "damage": "35.7", + "description": "Slow but powerful sweeping strike", + "impact": "45.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "21", + "27", + "5.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "27.3", + "35.1", + "6.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "27.3", + "35.1", + "6.88", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "35.7", + "45.9", + "9.63", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Beast Golem ScrapsBeast Golem ScrapsIron HalberdSpikes – Palladium", + "result": "1x Beast Golem Halberd", + "station": "None" + }, + { + "ingredients": "Iron HalberdPredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Halberd", + "station": "None" + }, + { + "ingredients": "Iron HalberdShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Halberd", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Halberd", + "result": "1x Obsidian Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Beast Golem Halberd", + "Beast Golem ScrapsBeast Golem ScrapsIron HalberdSpikes – Palladium", + "None" + ], + [ + "1x Fang Halberd", + "Iron HalberdPredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Galvanic Halberd", + "Iron HalberdShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "1x Obsidian Halberd", + "Obsidian ShardObsidian ShardPalladium ScrapIron Halberd", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Iron Halberd is a polearm in Outward." + }, + { + "name": "Iron Knuckles", + "url": "https://outward.fandom.com/wiki/Iron_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "17", + "Durability": "250", + "Impact": "11", + "Item Set": "Iron Set", + "Object ID": "2160000", + "Sell": "6", + "Stamina Cost": "2.2", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5e/Iron_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20200616185504", + "recipes": [ + { + "result": "Iron Knuckles", + "result_count": "1x", + "ingredients": [ + "Iron Wristband", + "Iron Wristband", + "Iron Scrap", + "Hide" + ], + "station": "None", + "source_page": "Iron Knuckles" + }, + { + "result": "Fang Knuckles", + "result_count": "1x", + "ingredients": [ + "Iron Wristband", + "Iron Wristband", + "Iron Knuckles", + "Predator Bones" + ], + "station": "None", + "source_page": "Iron Knuckles" + }, + { + "result": "Gold-Lich Knuckles", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Iron Knuckles", + "Firefly Powder" + ], + "station": "None", + "source_page": "Iron Knuckles" + }, + { + "result": "Obsidian Knuckles", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Knuckles" + ], + "station": "None", + "source_page": "Iron Knuckles" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.2", + "damage": "17", + "description": "Four fast punches, right to left", + "impact": "11", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "2.86", + "damage": "22.1", + "description": "Forward-lunging left hook", + "impact": "14.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "2.64", + "damage": "22.1", + "description": "Left dodging, left uppercut", + "impact": "14.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "2.64", + "damage": "22.1", + "description": "Right dodging, right spinning hammer strike", + "impact": "14.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17", + "11", + "2.2", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "22.1", + "14.3", + "2.86", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "22.1", + "14.3", + "2.64", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "22.1", + "14.3", + "2.64", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Wristband Iron Wristband Iron Scrap Hide", + "result": "1x Iron Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Iron Knuckles", + "Iron Wristband Iron Wristband Iron Scrap Hide", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron WristbandIron WristbandIron KnucklesPredator Bones", + "result": "1x Fang Knuckles", + "station": "None" + }, + { + "ingredients": "Gold-Lich MechanismGold-Lich MechanismIron KnucklesFirefly Powder", + "result": "1x Gold-Lich Knuckles", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Knuckles", + "result": "1x Obsidian Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Knuckles", + "Iron WristbandIron WristbandIron KnucklesPredator Bones", + "None" + ], + [ + "1x Gold-Lich Knuckles", + "Gold-Lich MechanismGold-Lich MechanismIron KnucklesFirefly Powder", + "None" + ], + [ + "1x Obsidian Knuckles", + "Obsidian ShardObsidian ShardPalladium ScrapIron Knuckles", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Spire of Light", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Jade Quarry", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Jade Quarry", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Stone Titan Caves", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Dolmen Crypt", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Abrassar, Electric Lab, The Slide, Undercity Passage", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Spire of Light" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Jade Quarry" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Jade Quarry" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Stone Titan Caves" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Dolmen Crypt" + ], + [ + "Chest", + "1", + "5.9%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk" + ], + [ + "Chest", + "1", + "5.9%", + "Abrassar, Electric Lab, The Slide, Undercity Passage" + ] + ] + } + ], + "description": "Iron Knuckles is a type of Weapon in Outward." + }, + { + "name": "Iron Mace", + "url": "https://outward.fandom.com/wiki/Iron_Mace", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Maces", + "Damage": "22", + "Durability": "350", + "Impact": "25", + "Item Set": "Iron Set", + "Object ID": "2020010", + "Sell": "6", + "Stamina Cost": "4.4", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ee/Iron_Mace.png/revision/latest?cb=20190412211221", + "recipes": [ + { + "result": "Fang Club", + "result_count": "1x", + "ingredients": [ + "Iron Mace", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Iron Mace" + }, + { + "result": "Galvanic Mace", + "result_count": "1x", + "ingredients": [ + "Iron Mace", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Iron Mace" + }, + { + "result": "Gold-Lich Mace", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Iron Mace", + "Firefly Powder" + ], + "station": "None", + "source_page": "Iron Mace" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Iron Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.4", + "damage": "22", + "description": "Two wide-sweeping strikes, right to left", + "impact": "25", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "28.6", + "description": "Slow, overhead strike with high impact", + "impact": "62.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "28.6", + "description": "Fast, forward-thrusting strike", + "impact": "32.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "28.6", + "description": "Fast, forward-thrusting strike", + "impact": "32.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "22", + "25", + "4.4", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "28.6", + "62.5", + "5.72", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "28.6", + "32.5", + "5.72", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "28.6", + "32.5", + "5.72", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron MacePredator BonesLinen Cloth", + "result": "1x Fang Club", + "station": "None" + }, + { + "ingredients": "Iron MaceShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Mace", + "station": "None" + }, + { + "ingredients": "Gold-Lich MechanismIron MaceFirefly Powder", + "result": "1x Gold-Lich Mace", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Fang Club", + "Iron MacePredator BonesLinen Cloth", + "None" + ], + [ + "1x Galvanic Mace", + "Iron MaceShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Gold-Lich Mace", + "Gold-Lich MechanismIron MaceFirefly Powder", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Lieutenant" + } + ], + "raw_rows": [ + [ + "Bandit", + "1", + "100%" + ], + [ + "Bandit Lieutenant", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Dark Ziggurat Interior" + ], + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Iron Mace is a one-handed mace in Outward." + }, + { + "name": "Iron Scrap", + "url": "https://outward.fandom.com/wiki/Iron_Scrap", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "3", + "Object ID": "6400140", + "Sell": "1", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4a/Iron_Scrap.png/revision/latest/scale-to-width-down/83?cb=20190416071003", + "recipes": [ + { + "result": "Arrow", + "result_count": "3x", + "ingredients": [ + "Iron Scrap", + "Wood" + ], + "station": "None", + "source_page": "Iron Scrap" + }, + { + "result": "Bullet", + "result_count": "3x", + "ingredients": [ + "Iron Scrap", + "Thick Oil" + ], + "station": "None", + "source_page": "Iron Scrap" + }, + { + "result": "Charge – Incendiary", + "result_count": "3x", + "ingredients": [ + "Thick Oil", + "Iron Scrap", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Iron Scrap" + }, + { + "result": "Fragment Bomb", + "result_count": "1x", + "ingredients": [ + "Sulphuric Mushroom", + "Iron Scrap", + "Iron Scrap" + ], + "station": "Alchemy Kit", + "source_page": "Iron Scrap" + }, + { + "result": "Ice-Flame Torch", + "result_count": "1x", + "ingredients": [ + "Makeshift Torch", + "Cold Stone", + "Iron Scrap" + ], + "station": "None", + "source_page": "Iron Scrap" + }, + { + "result": "Iron Knuckles", + "result_count": "1x", + "ingredients": [ + "Iron Wristband", + "Iron Wristband", + "Iron Scrap", + "Hide" + ], + "station": "None", + "source_page": "Iron Scrap" + }, + { + "result": "Old Lantern", + "result_count": "1x", + "ingredients": [ + "Iron Scrap", + "Iron Scrap", + "Thick Oil", + "Linen Cloth" + ], + "station": "None", + "source_page": "Iron Scrap" + }, + { + "result": "Shiv Dagger", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Iron Scrap" + ], + "station": "None", + "source_page": "Iron Scrap" + }, + { + "result": "Spikes – Iron", + "result_count": "3x", + "ingredients": [ + "Iron Scrap", + "Iron Scrap", + "Iron Scrap", + "Iron Scrap" + ], + "station": "None", + "source_page": "Iron Scrap" + }, + { + "result": "Tripwire Trap", + "result_count": "2x", + "ingredients": [ + "Iron Scrap", + "Iron Scrap", + "Wood", + "Linen Cloth" + ], + "station": "None", + "source_page": "Iron Scrap" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Iron Scrap" + }, + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Iron Scrap" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron ScrapWood", + "result": "3x Arrow", + "station": "None" + }, + { + "ingredients": "Iron ScrapThick Oil", + "result": "3x Bullet", + "station": "None" + }, + { + "ingredients": "Thick OilIron ScrapSalt", + "result": "3x Charge – Incendiary", + "station": "Alchemy Kit" + }, + { + "ingredients": "Sulphuric MushroomIron ScrapIron Scrap", + "result": "1x Fragment Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Makeshift TorchCold StoneIron Scrap", + "result": "1x Ice-Flame Torch", + "station": "None" + }, + { + "ingredients": "Iron WristbandIron WristbandIron ScrapHide", + "result": "1x Iron Knuckles", + "station": "None" + }, + { + "ingredients": "Iron ScrapIron ScrapThick OilLinen Cloth", + "result": "1x Old Lantern", + "station": "None" + }, + { + "ingredients": "Linen ClothIron Scrap", + "result": "1x Shiv Dagger", + "station": "None" + }, + { + "ingredients": "Iron ScrapIron ScrapIron ScrapIron Scrap", + "result": "3x Spikes – Iron", + "station": "None" + }, + { + "ingredients": "Iron ScrapIron ScrapWoodLinen Cloth", + "result": "2x Tripwire Trap", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Arrow", + "Iron ScrapWood", + "None" + ], + [ + "3x Bullet", + "Iron ScrapThick Oil", + "None" + ], + [ + "3x Charge – Incendiary", + "Thick OilIron ScrapSalt", + "Alchemy Kit" + ], + [ + "1x Fragment Bomb", + "Sulphuric MushroomIron ScrapIron Scrap", + "Alchemy Kit" + ], + [ + "1x Ice-Flame Torch", + "Makeshift TorchCold StoneIron Scrap", + "None" + ], + [ + "1x Iron Knuckles", + "Iron WristbandIron WristbandIron ScrapHide", + "None" + ], + [ + "1x Old Lantern", + "Iron ScrapIron ScrapThick OilLinen Cloth", + "None" + ], + [ + "1x Shiv Dagger", + "Linen ClothIron Scrap", + "None" + ], + [ + "3x Spikes – Iron", + "Iron ScrapIron ScrapIron ScrapIron Scrap", + "None" + ], + [ + "2x Tripwire Trap", + "Iron ScrapIron ScrapWoodLinen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Used in / Decrafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Iron Vein" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Iron Vein (Tourmaline)" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Iron Vein (Vendavel)" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Rich Iron Vein" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Rich Iron Vein (Tourmaline)" + } + ], + "raw_rows": [ + [ + "Iron Vein", + "1", + "100%" + ], + [ + "Iron Vein (Tourmaline)", + "3", + "100%" + ], + [ + "Iron Vein (Vendavel)", + "1", + "100%" + ], + [ + "Rich Iron Vein", + "3", + "100%" + ], + [ + "Rich Iron Vein (Tourmaline)", + "3", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "3 - 5", + "source": "Iron Sides" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3 - 5", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Vendavel Fortress", + "quantity": "1 - 3", + "source": "Vendavel Prisoner" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "4 - 8", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "5", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "3 - 5", + "100%", + "Harmattan" + ], + [ + "Howard Brock, Blacksmith", + "3 - 5", + "100%", + "Harmattan" + ], + [ + "Iron Sides", + "3 - 5", + "100%", + "Giants' Village" + ], + [ + "Loud-Hammer", + "3 - 5", + "100%", + "Cierzo" + ], + [ + "Vendavel Prisoner", + "1 - 3", + "100%", + "Vendavel Fortress" + ], + [ + "Vyzyrinthrix the Blacksmith", + "4 - 8", + "100%", + "Monsoon" + ], + [ + "Howard Brock, Blacksmith", + "5", + "17.6%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Armored Hyena" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Forge Golem" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Molten Forge Golem" + }, + { + "chance": "100%", + "quantity": "3 - 6", + "source": "Rusty Sword Golem" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Thunderbolt Golem" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Troglodyte Knight" + }, + { + "chance": "60%", + "quantity": "2 - 5", + "source": "Rusty Beast Golem" + }, + { + "chance": "32.5%", + "quantity": "1 - 10", + "source": "Animated Skeleton (Miner)" + } + ], + "raw_rows": [ + [ + "Armored Hyena", + "1", + "100%" + ], + [ + "Forge Golem", + "1", + "100%" + ], + [ + "Molten Forge Golem", + "1", + "100%" + ], + [ + "Rusty Sword Golem", + "3 - 6", + "100%" + ], + [ + "Thunderbolt Golem", + "1", + "100%" + ], + [ + "Troglodyte Knight", + "2 - 3", + "100%" + ], + [ + "Rusty Beast Golem", + "2 - 5", + "60%" + ], + [ + "Animated Skeleton (Miner)", + "1 - 10", + "32.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "2 - 4", + "source": "Chest" + }, + { + "chance": "29.5%", + "locations": "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh", + "quantity": "2", + "source": "Supply Cache" + }, + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 6", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 6", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 6", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 8", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 8", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 8", + "source": "Calygrey Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "2 - 4", + "100%", + "Levant" + ], + [ + "Supply Cache", + "2", + "29.5%", + "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh" + ], + [ + "Junk Pile", + "1 - 6", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 6", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 6", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 8", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 8", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 8", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ] + ] + } + ], + "description": "Iron Scrap is a common crafting component in Outward." + }, + { + "name": "Iron Spear", + "url": "https://outward.fandom.com/wiki/Iron_Spear", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "25", + "Class": "Spears", + "Damage": "24", + "Durability": "250", + "Impact": "17", + "Item Set": "Iron Set", + "Object ID": "2130110", + "Sell": "8", + "Stamina Cost": "4.4", + "Type": "Two-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c2/Iron_Spear.png/revision/latest?cb=20190413070326", + "recipes": [ + { + "result": "Fang Trident", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Iron Spear" + }, + { + "result": "Galvanic Spear", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Iron Spear" + }, + { + "result": "Gold-Lich Spear", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Gold-Lich Mechanism", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Iron Spear" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Iron Spear" + }, + { + "result": "Obsidian Spear", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Spear" + ], + "station": "None", + "source_page": "Iron Spear" + }, + { + "result": "Thorny Spear", + "result_count": "1x", + "ingredients": [ + "Thorny Cartilage", + "Thorny Cartilage", + "Iron Spear", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Iron Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.4", + "damage": "24", + "description": "Two forward-thrusting stabs", + "impact": "17", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.5", + "damage": "33.6", + "description": "Forward-lunging strike", + "impact": "20.4", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.5", + "damage": "31.2", + "description": "Left-sweeping strike, jump back", + "impact": "20.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.5", + "damage": "28.8", + "description": "Fast spinning strike from the right", + "impact": "18.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24", + "17", + "4.4", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "33.6", + "20.4", + "5.5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "31.2", + "20.4", + "5.5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "28.8", + "18.7", + "5.5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron SpearPredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Trident", + "station": "None" + }, + { + "ingredients": "Iron SpearShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Spear", + "station": "None" + }, + { + "ingredients": "Iron SpearGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "result": "1x Gold-Lich Spear", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Spear", + "result": "1x Obsidian Spear", + "station": "None" + }, + { + "ingredients": "Thorny CartilageThorny CartilageIron SpearPalladium Scrap", + "result": "1x Thorny Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Trident", + "Iron SpearPredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Galvanic Spear", + "Iron SpearShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Gold-Lich Spear", + "Iron SpearGold-Lich MechanismGold-Lich MechanismFirefly Powder", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "1x Obsidian Spear", + "Obsidian ShardObsidian ShardPalladium ScrapIron Spear", + "None" + ], + [ + "1x Thorny Spear", + "Thorny CartilageThorny CartilageIron SpearPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Desert Bandit" + } + ], + "raw_rows": [ + [ + "Desert Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "100%", + "Levant" + ], + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Iron Spear is a spear in Outward." + }, + { + "name": "Iron Sword", + "url": "https://outward.fandom.com/wiki/Iron_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Swords", + "Damage": "19", + "Durability": "225", + "Impact": "15", + "Item Set": "Iron Set", + "Object ID": "2000010", + "Sell": "6", + "Stamina Cost": "3.85", + "Type": "One-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c7/Iron_Sword.png/revision/latest?cb=20190413071724", + "recipes": [ + { + "result": "Fang Sword", + "result_count": "1x", + "ingredients": [ + "Iron Sword", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Iron Sword" + }, + { + "result": "Gold-Lich Sword", + "result_count": "1x", + "ingredients": [ + "Gold-Lich Mechanism", + "Iron Sword", + "Firefly Powder" + ], + "station": "None", + "source_page": "Iron Sword" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Iron Sword" + }, + { + "result": "Obsidian Sword", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Iron Sword" + ], + "station": "None", + "source_page": "Iron Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "3.85", + "damage": "19", + "description": "Two slash attacks, left to right", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "4.62", + "damage": "28.41", + "description": "Forward-thrusting strike", + "impact": "19.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.24", + "damage": "24.03", + "description": "Heavy left-lunging strike", + "impact": "16.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.24", + "damage": "24.03", + "description": "Heavy right-lunging strike", + "impact": "16.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "19", + "15", + "3.85", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "28.41", + "19.5", + "4.62", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "24.03", + "16.5", + "4.24", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "24.03", + "16.5", + "4.24", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron SwordPredator BonesLinen Cloth", + "result": "1x Fang Sword", + "station": "None" + }, + { + "ingredients": "Gold-Lich MechanismIron SwordFirefly Powder", + "result": "1x Gold-Lich Sword", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Obsidian ShardPalladium ScrapIron Sword", + "result": "1x Obsidian Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Sword", + "Iron SwordPredator BonesLinen Cloth", + "None" + ], + [ + "1x Gold-Lich Sword", + "Gold-Lich MechanismIron SwordFirefly Powder", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "1x Obsidian Sword", + "Obsidian ShardPalladium ScrapIron Sword", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Archer" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Manhunter" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Desert Archer" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Archer" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Marsh Archer" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Marsh Archer Captain" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Vendavel Archer" + } + ], + "raw_rows": [ + [ + "Bandit Archer", + "1", + "100%" + ], + [ + "Bandit Manhunter", + "1", + "100%" + ], + [ + "Desert Archer", + "1", + "100%" + ], + [ + "Kazite Archer", + "1", + "100%" + ], + [ + "Marsh Archer", + "1", + "100%" + ], + [ + "Marsh Archer Captain", + "1", + "100%" + ], + [ + "Vendavel Archer", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Dark Ziggurat Interior" + ], + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Iron Sword is a sword in Outward." + }, + { + "name": "Iron Wristband", + "url": "https://outward.fandom.com/wiki/Iron_Wristband", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "5", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "5400100", + "Sell": "2", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/45/Iron_Wristband.png/revision/latest/scale-to-width-down/83?cb=20200616185505", + "recipes": [ + { + "result": "Fang Knuckles", + "result_count": "1x", + "ingredients": [ + "Iron Wristband", + "Iron Wristband", + "Iron Knuckles", + "Predator Bones" + ], + "station": "None", + "source_page": "Iron Wristband" + }, + { + "result": "Iron Knuckles", + "result_count": "1x", + "ingredients": [ + "Iron Wristband", + "Iron Wristband", + "Iron Scrap", + "Hide" + ], + "station": "None", + "source_page": "Iron Wristband" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron WristbandIron WristbandIron KnucklesPredator Bones", + "result": "1x Fang Knuckles", + "station": "None" + }, + { + "ingredients": "Iron WristbandIron WristbandIron ScrapHide", + "result": "1x Iron Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Fang Knuckles", + "Iron WristbandIron WristbandIron KnucklesPredator Bones", + "None" + ], + [ + "1x Iron Knuckles", + "Iron WristbandIron WristbandIron ScrapHide", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "2 - 3", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "19.3%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + } + ], + "raw_rows": [ + [ + "Wolfgang Mercenary", + "1 - 2", + "19.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Blood Mage Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.3%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "8.3%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "8.3%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "8.3%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "8.3%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "8.3%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior", + "quantity": "1 - 2", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "8.3%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "1", + "8.3%", + "Ark of the Exiled" + ], + [ + "Chest", + "1", + "8.3%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "1", + "8.3%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "1", + "8.3%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "8.3%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "8.3%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1", + "8.3%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ], + [ + "Junk Pile", + "1 - 2", + "6.7%", + "Dark Ziggurat Interior" + ] + ] + } + ], + "description": "Iron Wristband is an Item in Outward." + }, + { + "name": "Ivory Master's Staff", + "url": "https://outward.fandom.com/wiki/Ivory_Master%27s_Staff", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "1000", + "Class": "Polearms", + "Damage": "33", + "Durability": "350", + "Impact": "43", + "Mana Cost": "-20%", + "Object ID": "2150051", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Staff", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cd/Ivory_Master%27s_Staff.png/revision/latest/scale-to-width-down/83?cb=20190629155331", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "33", + "description": "Two wide-sweeping strikes, left to right", + "impact": "43", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "42.9", + "description": "Forward-thrusting strike", + "impact": "55.9", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "42.9", + "description": "Wide-sweeping strike from left", + "impact": "55.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "56.1", + "description": "Slow but powerful sweeping strike", + "impact": "73.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "43", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "42.9", + "55.9", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "42.9", + "55.9", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "56.1", + "73.1", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Master's Staff", + "upgrade": "Ivory Master's Staff" + } + ], + "raw_rows": [ + [ + "Master's Staff", + "Ivory Master's Staff" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Gain +10% Cooldown Reduction", + "enchantment": "Isolated Rumination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Isolated Rumination", + "Gain +10% Cooldown Reduction" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Ivory Master's Staff is a type of Two-Handed Polearm weapon in Outward." + }, + { + "name": "Jade Acolyte Boots", + "url": "https://outward.fandom.com/wiki/Jade_Acolyte_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "100", + "Damage Resist": "6% -10% 10%", + "Durability": "180", + "Impact Resist": "3%", + "Item Set": "Jade Acolyte Set", + "Mana Cost": "-10%", + "Object ID": "3000046", + "Sell": "33", + "Slot": "Legs", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/32/Jade_Acolyte_Boots.png/revision/latest?cb=20190415153815", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Mathias" + } + ], + "raw_rows": [ + [ + "Mathias", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "16.7%", + "quantity": "1", + "source": "Jade-Lich Acolyte" + }, + { + "chance": "12.5%", + "quantity": "1", + "source": "Blade Dancer" + } + ], + "raw_rows": [ + [ + "Jade-Lich Acolyte", + "1", + "16.7%" + ], + [ + "Blade Dancer", + "1", + "12.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Jade Acolyte Boots is a type of Armor in Outward." + }, + { + "name": "Jade Acolyte Cowl", + "url": "https://outward.fandom.com/wiki/Jade_Acolyte_Cowl", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "100", + "Damage Resist": "6% -10% 10%", + "Durability": "180", + "Impact Resist": "3%", + "Item Set": "Jade Acolyte Set", + "Mana Cost": "-10%", + "Object ID": "3000045", + "Sell": "30", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ef/Jade_Acolyte_Cowl.png/revision/latest?cb=20190415071344", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Mathias" + } + ], + "raw_rows": [ + [ + "Mathias", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "16.7%", + "quantity": "1", + "source": "Jade-Lich Acolyte" + }, + { + "chance": "12.5%", + "quantity": "1", + "source": "Blade Dancer" + } + ], + "raw_rows": [ + [ + "Jade-Lich Acolyte", + "1", + "16.7%" + ], + [ + "Blade Dancer", + "1", + "12.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Jade Acolyte Cowl is a type of Armor in Outward." + }, + { + "name": "Jade Acolyte Robes", + "url": "https://outward.fandom.com/wiki/Jade_Acolyte_Robes", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "175", + "Damage Resist": "12% -20% 20%", + "Durability": "180", + "Impact Resist": "4%", + "Item Set": "Jade Acolyte Set", + "Mana Cost": "-10%", + "Object ID": "3000044", + "Sell": "58", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/15/Jade_Acolyte_Robes.png/revision/latest?cb=20190415120831", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Mathias" + } + ], + "raw_rows": [ + [ + "Mathias", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "16.7%", + "quantity": "1", + "source": "Jade-Lich Acolyte" + }, + { + "chance": "12.5%", + "quantity": "1", + "source": "Blade Dancer" + } + ], + "raw_rows": [ + [ + "Jade-Lich Acolyte", + "1", + "16.7%" + ], + [ + "Blade Dancer", + "1", + "12.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Jade Acolyte Robes is a type of Armor in Outward." + }, + { + "name": "Jade Acolyte Set", + "url": "https://outward.fandom.com/wiki/Jade_Acolyte_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "375", + "Damage Resist": "24% -40% 40%", + "Durability": "540", + "Impact Resist": "10%", + "Mana Cost": "-30%", + "Object ID": "3000046 (Legs)3000045 (Head)3000044 (Chest)", + "Sell": "121", + "Slot": "Set", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f5/Jade_Lich_Acolyte_set.png/revision/latest/scale-to-width-down/195?cb=20190423180346", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "3%", + "column_5": "-10%", + "durability": "180", + "name": "Jade Acolyte Boots", + "resistances": "6% 10% -10%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "-10%", + "durability": "180", + "name": "Jade Acolyte Cowl", + "resistances": "6% 10% -10%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "-10%", + "durability": "180", + "name": "Jade Acolyte Robes", + "resistances": "12% 20% -20%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Jade Acolyte Boots", + "6% 10% -10%", + "3%", + "-10%", + "180", + "2.0", + "Boots" + ], + [ + "", + "Jade Acolyte Cowl", + "6% 10% -10%", + "3%", + "-10%", + "180", + "1.0", + "Helmets" + ], + [ + "", + "Jade Acolyte Robes", + "12% 20% -20%", + "4%", + "-10%", + "180", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "3%", + "column_5": "-10%", + "durability": "180", + "name": "Jade Acolyte Boots", + "resistances": "6% 10% -10%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "-10%", + "durability": "180", + "name": "Jade Acolyte Cowl", + "resistances": "6% 10% -10%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "-10%", + "durability": "180", + "name": "Jade Acolyte Robes", + "resistances": "12% 20% -20%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Jade Acolyte Boots", + "6% 10% -10%", + "3%", + "-10%", + "180", + "2.0", + "Boots" + ], + [ + "", + "Jade Acolyte Cowl", + "6% 10% -10%", + "3%", + "-10%", + "180", + "1.0", + "Helmets" + ], + [ + "", + "Jade Acolyte Robes", + "12% 20% -20%", + "4%", + "-10%", + "180", + "4.0", + "Body Armor" + ] + ] + } + ], + "description": "Jade Acolyte Set is a Set in Outward." + }, + { + "name": "Jade Scimitar", + "url": "https://outward.fandom.com/wiki/Jade_Scimitar", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "300", + "Class": "Swords", + "Damage": "12.5 12.5", + "Durability": "325", + "Impact": "21", + "Item Set": "Jade-Lich Set", + "Mana Cost": "-10%", + "Object ID": "2000120", + "Sell": "90", + "Stamina Cost": "4.375", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c2/Jade_Scimitar.png/revision/latest?cb=20190413071757", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.375", + "damage": "12.5 12.5", + "description": "Two slash attacks, left to right", + "impact": "21", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.25", + "damage": "18.69 18.69", + "description": "Forward-thrusting strike", + "impact": "27.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.81", + "damage": "15.81 15.81", + "description": "Heavy left-lunging strike", + "impact": "23.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.81", + "damage": "15.81 15.81", + "description": "Heavy right-lunging strike", + "impact": "23.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "12.5 12.5", + "21", + "4.375", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "18.69 18.69", + "27.3", + "5.25", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "15.81 15.81", + "23.1", + "4.81", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "15.81 15.81", + "23.1", + "4.81", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Mathias" + } + ], + "raw_rows": [ + [ + "Mathias", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "31.2%", + "quantity": "1", + "source": "Blade Dancer" + } + ], + "raw_rows": [ + [ + "Blade Dancer", + "1", + "31.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Jade Scimitar is a type of One-Handed Sword in Outward. It is a very sleek looking green blade, and is part of the Jade-Lich Set." + }, + { + "name": "Jade-Lich Boots", + "url": "https://outward.fandom.com/wiki/Jade-Lich_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "200", + "Damage Bonus": "10%", + "Damage Resist": "9% -10% 20%", + "Durability": "260", + "Impact Resist": "3%", + "Item Set": "Jade-Lich Set", + "Mana Cost": "-15%", + "Object ID": "3000043", + "Sell": "66", + "Slot": "Legs", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bd/Jade-Lich_Boots.png/revision/latest?cb=20190415153910", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "Plague Doctor", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Jade-Lich boots are unique boots in Outward." + }, + { + "name": "Jade-Lich Idol", + "url": "https://outward.fandom.com/wiki/Jade-Lich_Idol", + "categories": [ + "Other", + "Items" + ], + "infobox": { + "Buy": "1", + "Object ID": "5600022", + "Sell": "0", + "Type": "Other", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/23/Jade-Lich_Idol.png/revision/latest/scale-to-width-down/83?cb=20190617094529", + "description": "Jade-Lich Idol is a unique item in Outward." + }, + { + "name": "Jade-Lich Mace", + "url": "https://outward.fandom.com/wiki/Jade-Lich_Mace", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Maces", + "Damage": "21.75 7.25", + "Durability": "250", + "Impact": "32", + "Item Set": "Jade-Lich Set", + "Mana Cost": "-10%", + "Object ID": "2020030", + "Sell": "60", + "Stamina Cost": "4.8", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3b/Jade-Lich_Mace.png/revision/latest?cb=20190412211258", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.8", + "damage": "21.75 7.25", + "description": "Two wide-sweeping strikes, right to left", + "impact": "32", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "28.28 9.43", + "description": "Slow, overhead strike with high impact", + "impact": "80", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "28.28 9.43", + "description": "Fast, forward-thrusting strike", + "impact": "41.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "28.28 9.43", + "description": "Fast, forward-thrusting strike", + "impact": "41.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "21.75 7.25", + "32", + "4.8", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "28.28 9.43", + "80", + "6.24", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "28.28 9.43", + "41.6", + "6.24", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "28.28 9.43", + "41.6", + "6.24", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Mathias" + } + ], + "raw_rows": [ + [ + "Mathias", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Jade-Lich Acolyte" + }, + { + "chance": "6.2%", + "quantity": "1", + "source": "Blade Dancer" + } + ], + "raw_rows": [ + [ + "Jade-Lich Acolyte", + "1", + "100%" + ], + [ + "Blade Dancer", + "1", + "6.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Jade-Lich Mace is a type of One-Handed Mace in Outward." + }, + { + "name": "Jade-Lich Mask", + "url": "https://outward.fandom.com/wiki/Jade-Lich_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "450", + "Damage Bonus": "10%", + "Damage Resist": "7% -20% 30%", + "Durability": "425", + "Impact Resist": "10%", + "Item Set": "Jade-Lich Set", + "Mana Cost": "-25%", + "Object ID": "3000041", + "Sell": "135", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b6/Jade-Lich_Mask.png/revision/latest?cb=20190411085135", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "Plague Doctor", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Jade-Lich Mask is a type of Armor in Outward." + }, + { + "name": "Jade-Lich Robes", + "url": "https://outward.fandom.com/wiki/Jade-Lich_Robes", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "350", + "Damage Bonus": "10% 15%", + "Damage Resist": "15% -10% 20%", + "Durability": "260", + "Impact Resist": "5%", + "Item Set": "Jade-Lich Set", + "Mana Cost": "-15%", + "Object ID": "3000040", + "Sell": "116", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8d/Jade-Lich_Robes.png/revision/latest?cb=20190415120951", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "Plague Doctor", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Jade-Lich Robes is a unique armor in Outward." + }, + { + "name": "Jade-Lich Set", + "url": "https://outward.fandom.com/wiki/Jade-Lich_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1000", + "Damage Bonus": "10% 35%", + "Damage Resist": "31% -40% 70%", + "Durability": "945", + "Impact Resist": "18%", + "Mana Cost": "-55%", + "Object ID": "3000043 (Legs)3000041 (Head)3000040 (Chest)", + "Sell": "317", + "Slot": "Set", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/19/Jade-Lich_set.jpg/revision/latest/scale-to-width-down/250?cb=20190406235322", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "3%", + "column_6": "-15%", + "damage_bonus%": "10%", + "durability": "260", + "name": "Jade-Lich Boots", + "resistances": "9% 20% -10%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_6": "-25%", + "damage_bonus%": "10%", + "durability": "425", + "name": "Jade-Lich Mask", + "resistances": "7% 30% -20%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "5%", + "column_6": "-15%", + "damage_bonus%": "15% 10%", + "durability": "260", + "name": "Jade-Lich Robes", + "resistances": "15% 20% -10%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Jade-Lich Boots", + "9% 20% -10%", + "3%", + "10%", + "-15%", + "260", + "2.0", + "Boots" + ], + [ + "", + "Jade-Lich Mask", + "7% 30% -20%", + "10%", + "10%", + "-25%", + "425", + "3.0", + "Helmets" + ], + [ + "", + "Jade-Lich Robes", + "15% 20% -10%", + "5%", + "15% 10%", + "-15%", + "260", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Damage Bonus%", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "1H Sword", + "column_4": "21", + "column_5": "4.375", + "column_8": "-10%", + "damage": "12.5 12.5", + "damage_bonus%": "–", + "durability": "325", + "name": "Jade Scimitar", + "speed": "1.1", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "32", + "column_5": "4.8", + "column_8": "-10%", + "damage": "21.75 7.25", + "damage_bonus%": "–", + "durability": "250", + "name": "Jade-Lich Mace", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Staff", + "column_4": "41", + "column_5": "6.5", + "column_8": "-20%", + "damage": "12 12", + "damage_bonus%": "20%", + "durability": "225", + "name": "Jade-Lich Staff", + "speed": "1.0", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Jade Scimitar", + "12.5 12.5", + "21", + "4.375", + "1.1", + "–", + "-10%", + "325", + "3.0", + "1H Sword" + ], + [ + "", + "Jade-Lich Mace", + "21.75 7.25", + "32", + "4.8", + "1.0", + "–", + "-10%", + "250", + "6.0", + "1H Mace" + ], + [ + "", + "Jade-Lich Staff", + "12 12", + "41", + "6.5", + "1.0", + "20%", + "-20%", + "225", + "6.0", + "Staff" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "3%", + "column_6": "-15%", + "damage_bonus%": "10%", + "durability": "260", + "name": "Jade-Lich Boots", + "resistances": "9% 20% -10%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_6": "-25%", + "damage_bonus%": "10%", + "durability": "425", + "name": "Jade-Lich Mask", + "resistances": "7% 30% -20%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "5%", + "column_6": "-15%", + "damage_bonus%": "15% 10%", + "durability": "260", + "name": "Jade-Lich Robes", + "resistances": "15% 20% -10%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Jade-Lich Boots", + "9% 20% -10%", + "3%", + "10%", + "-15%", + "260", + "2.0", + "Boots" + ], + [ + "", + "Jade-Lich Mask", + "7% 30% -20%", + "10%", + "10%", + "-25%", + "425", + "3.0", + "Helmets" + ], + [ + "", + "Jade-Lich Robes", + "15% 20% -10%", + "5%", + "15% 10%", + "-15%", + "260", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Damage Bonus%", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "1H Sword", + "column_4": "21", + "column_5": "4.375", + "column_8": "-10%", + "damage": "12.5 12.5", + "damage_bonus%": "–", + "durability": "325", + "name": "Jade Scimitar", + "speed": "1.1", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "32", + "column_5": "4.8", + "column_8": "-10%", + "damage": "21.75 7.25", + "damage_bonus%": "–", + "durability": "250", + "name": "Jade-Lich Mace", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Staff", + "column_4": "41", + "column_5": "6.5", + "column_8": "-20%", + "damage": "12 12", + "damage_bonus%": "20%", + "durability": "225", + "name": "Jade-Lich Staff", + "speed": "1.0", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Jade Scimitar", + "12.5 12.5", + "21", + "4.375", + "1.1", + "–", + "-10%", + "325", + "3.0", + "1H Sword" + ], + [ + "", + "Jade-Lich Mace", + "21.75 7.25", + "32", + "4.8", + "1.0", + "–", + "-10%", + "250", + "6.0", + "1H Mace" + ], + [ + "", + "Jade-Lich Staff", + "12 12", + "41", + "6.5", + "1.0", + "20%", + "-20%", + "225", + "6.0", + "Staff" + ] + ] + } + ], + "description": "The Jade-Lich Set is a reward for beating Plague Doctor in the Dark Ziggurat found in Hallowed Marsh, and the weapons can be found from various sources." + }, + { + "name": "Jade-Lich Staff", + "url": "https://outward.fandom.com/wiki/Jade-Lich_Staff", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "Damage": "12 12", + "Damage Bonus": "20%", + "Durability": "225", + "Impact": "41", + "Item Set": "Jade-Lich Set", + "Mana Cost": "-20%", + "Object ID": "2150010", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Staff", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bd/Jade-Lich_Staff.png/revision/latest?cb=20190412213846", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "12 12", + "description": "Two wide-sweeping strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "15.6 15.6", + "description": "Forward-thrusting strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "15.6 15.6", + "description": "Wide-sweeping strike from left", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "20.4 20.4", + "description": "Slow but powerful sweeping strike", + "impact": "69.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "12 12", + "41", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "15.6 15.6", + "53.3", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "15.6 15.6", + "53.3", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.4 20.4", + "69.7", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Plague Doctor" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Jade-Lich Acolyte" + } + ], + "raw_rows": [ + [ + "Plague Doctor", + "1", + "100%" + ], + [ + "Jade-Lich Acolyte", + "1", + "16.7%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Jade-Lich Staff is a type of Staff in Outward." + }, + { + "name": "Jerky", + "url": "https://outward.fandom.com/wiki/Jerky", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Health Recovery 2", + "Hunger": "10%", + "Object ID": "4100012", + "Perish Time": "14 Days 21 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/68/Jerky.png/revision/latest/scale-to-width-down/70?cb=20190410130119", + "effects": [ + "Restores 10% Hunger", + "Player receives Health Recovery (level 2)" + ], + "recipes": [ + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Jerky" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Jerky" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Jerky" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Meat Meat Salt Salt", + "result": "5x Jerky", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "5x Jerky", + "Meat Meat Salt Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "2 - 3", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "7", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "8", + "source": "Chef Tenno" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "7", + "source": "Master-Chef Arago" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "8", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2 - 3", + "source": "Shopkeeper Doran" + }, + { + "chance": "37%", + "locations": "Harmattan", + "quantity": "2", + "source": "David Parks, Craftsman" + }, + { + "chance": "35.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "28.4%", + "locations": "Berg", + "quantity": "1 - 12", + "source": "Shopkeeper Pleel" + }, + { + "chance": "11.4%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "11.4%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "Apprentice Ritualist", + "2 - 3", + "100%", + "Ritualist's hut" + ], + [ + "Brad Aberdeen, Chef", + "3 - 5", + "100%", + "New Sirocco" + ], + [ + "Chef Iasu", + "7", + "100%", + "Berg" + ], + [ + "Chef Tenno", + "8", + "100%", + "Levant" + ], + [ + "Master-Chef Arago", + "7", + "100%", + "Cierzo" + ], + [ + "Ountz the Melon Farmer", + "8", + "100%", + "Monsoon" + ], + [ + "Patrick Arago, General Store", + "6", + "100%", + "New Sirocco" + ], + [ + "Pelletier Baker, Chef", + "3 - 5", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "2 - 3", + "100%", + "Cierzo" + ], + [ + "David Parks, Craftsman", + "2", + "37%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "2", + "35.3%", + "Harmattan" + ], + [ + "Shopkeeper Pleel", + "1 - 12", + "28.4%", + "Berg" + ], + [ + "Gold Belly", + "1", + "11.4%", + "Giants' Village" + ], + [ + "Silver-Nose the Trader", + "1", + "11.4%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "36%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "29.2%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "28.6%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "25%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant" + }, + { + "chance": "24.5%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "23.3%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "18.2%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Bandit" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Bandit Slave" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Baron Montgomery" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Crock" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Dawne" + } + ], + "raw_rows": [ + [ + "Desert Captain", + "1 - 5", + "36%" + ], + [ + "Kazite Archer", + "1 - 4", + "29.2%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "28.6%" + ], + [ + "Kazite Lieutenant", + "1 - 3", + "25%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "24.5%" + ], + [ + "Marsh Archer", + "1 - 4", + "23.3%" + ], + [ + "Bandit Defender", + "1 - 3", + "19.1%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "19.1%" + ], + [ + "Roland Argenson", + "1 - 3", + "19.1%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "18.2%" + ], + [ + "Bandit", + "1 - 2", + "17.8%" + ], + [ + "Bandit Slave", + "1 - 2", + "17.8%" + ], + [ + "Baron Montgomery", + "1 - 2", + "17.8%" + ], + [ + "Crock", + "1 - 2", + "17.8%" + ], + [ + "Dawne", + "1 - 2", + "17.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.9%", + "locations": "The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.9%", + "locations": "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "6.9%", + "locations": "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.9%", + "locations": "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Royal Manticore's Lair, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.9%", + "locations": "Dead Tree, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.9%", + "locations": "Ancient Hive, Dead Roots, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.9%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.9%", + "The Slide, Ziggurat Passage" + ], + [ + "Chest", + "1", + "6.9%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery" + ], + [ + "Corpse", + "1", + "6.9%", + "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory" + ], + [ + "Hollowed Trunk", + "1", + "6.9%", + "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "6.9%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1", + "6.9%", + "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island" + ], + [ + "Looter's Corpse", + "1", + "6.9%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Royal Manticore's Lair, Wendigo Lair" + ], + [ + "Ornate Chest", + "1", + "6.9%", + "Dead Tree, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Soldier's Corpse", + "1", + "6.9%", + "Ancient Hive, Dead Roots, Heroic Kingdom's Conflux Path" + ], + [ + "Stash", + "1", + "6.9%", + "Berg" + ] + ] + } + ], + "description": "Jerky is a type of Food item in Outward." + }, + { + "name": "Jewel Bird Mask", + "url": "https://outward.fandom.com/wiki/Jewel_Bird_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "100", + "Damage Resist": "10%", + "Durability": "100", + "Impact Resist": "10%", + "Movement Speed": "19%", + "Object ID": "3000252", + "Sell": "30", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/dd/Jewel_Bird_Mask.png/revision/latest?cb=20190629155332", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Black Pearlbird Mask", + "upgrade": "Jewel Bird Mask" + } + ], + "raw_rows": [ + [ + "Black Pearlbird Mask", + "Jewel Bird Mask" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Jewel Bird Mask is a type of Armor in Outward." + }, + { + "name": "Junk Claymore", + "url": "https://outward.fandom.com/wiki/Junk_Claymore", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "20", + "Class": "Swords", + "DLC": "The Soroboreans", + "Damage": "17", + "Durability": "250", + "Impact": "19", + "Object ID": "2100210", + "Sell": "6", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a6/Junk_Claymore.png/revision/latest/scale-to-width-down/83?cb=20200616185508", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "17", + "description": "Two slashing strikes, left to right", + "impact": "19", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10", + "damage": "31", + "description": "Overhead downward-thrusting strike", + "impact": "13.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.5", + "damage": "22", + "description": "Spinning strike from the right", + "impact": "9.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.5", + "damage": "22", + "description": "Spinning strike from the left", + "impact": "9.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17", + "19", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "31", + "13.8", + "10", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "22", + "9.6", + "8.5", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "22", + "9.6", + "8.5", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "3.8%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3.8%", + "locations": "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3.8%", + "locations": "Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "3.8%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "3.8%", + "Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "3.8%", + "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility" + ], + [ + "Soldier's Corpse", + "1", + "3.8%", + "Wendigo Lair" + ] + ] + } + ], + "description": "Junk Claymore is a type of Weapon in Outward." + }, + { + "name": "Kazite Armor", + "url": "https://outward.fandom.com/wiki/Kazite_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "275", + "Damage Resist": "21%", + "Durability": "215", + "Impact Resist": "12%", + "Item Set": "Kazite Set", + "Object ID": "3100110", + "Sell": "91", + "Slot": "Chest", + "Stamina Cost": "-7%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6c/Kazite_Armor.png/revision/latest?cb=20190415121105", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Ogoi, Kazite Assassin" + } + ], + "raw_rows": [ + [ + "Ogoi, Kazite Assassin", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "13.9%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "6.4%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "6.2%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "5.3%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant" + }, + { + "chance": "5.2%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "1.1%", + "quantity": "1 - 2", + "source": "Kazite Bandit" + }, + { + "chance": "1.1%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Admiral", + "1 - 5", + "13.9%" + ], + [ + "Kazite Archer", + "1 - 4", + "6.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "6.2%" + ], + [ + "Kazite Lieutenant", + "1 - 3", + "5.3%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "5.2%" + ], + [ + "Kazite Bandit", + "1 - 2", + "1.1%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "1.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Kazite Armor is a type of Armor in Outward." + }, + { + "name": "Kazite Blade", + "url": "https://outward.fandom.com/wiki/Kazite_Blade", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "100", + "Class": "Swords", + "DLC": "The Soroboreans", + "Damage": "26", + "Durability": "225", + "Effects": "Weaken", + "Impact": "22", + "Item Set": "Kazite Set", + "Object ID": "2000210", + "Sell": "30", + "Stamina Cost": "4", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/23/Kazite_Blade.png/revision/latest/scale-to-width-down/83?cb=20200616185509", + "effects": [ + "Inflicts Weaken (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4", + "damage": "26", + "description": "Two slash attacks, left to right", + "impact": "22", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "4.8", + "damage": "38.87", + "description": "Forward-thrusting strike", + "impact": "28.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.4", + "damage": "32.89", + "description": "Heavy left-lunging strike", + "impact": "24.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.4", + "damage": "32.89", + "description": "Heavy right-lunging strike", + "impact": "24.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26", + "22", + "4", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "38.87", + "28.6", + "4.8", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "32.89", + "24.2", + "4.4", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.89", + "24.2", + "4.4", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Archer (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Archer (Antique Plateau)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Blade is a type of Weapon in Outward." + }, + { + "name": "Kazite Boots", + "url": "https://outward.fandom.com/wiki/Kazite_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "150", + "Damage Resist": "10%", + "Durability": "215", + "Impact Resist": "8%", + "Item Set": "Kazite Set", + "Object ID": "3100114", + "Sell": "49", + "Slot": "Legs", + "Stamina Cost": "-8%", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/da/Kazite_Boots.png/revision/latest?cb=20190415154040", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Gain +20% Stability regeneration rate", + "enchantment": "Compass" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Compass", + "Gain +20% Stability regeneration rate" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Ogoi, Kazite Assassin" + } + ], + "raw_rows": [ + [ + "Ogoi, Kazite Assassin", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "21.5%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "6.4%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "6.2%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "5.5%", + "quantity": "1 - 2", + "source": "Kazite Bandit" + }, + { + "chance": "5.4%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "5.3%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant" + }, + { + "chance": "5.2%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Admiral", + "1 - 5", + "21.5%" + ], + [ + "Kazite Archer", + "1 - 4", + "6.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "6.2%" + ], + [ + "Kazite Bandit", + "1 - 2", + "5.5%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "5.4%" + ], + [ + "Kazite Lieutenant", + "1 - 3", + "5.3%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "5.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Kazite Boots is a type of Armor in Outward." + }, + { + "name": "Kazite Bow", + "url": "https://outward.fandom.com/wiki/Kazite_Bow", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "150", + "Class": "Bows", + "DLC": "The Soroboreans", + "Damage": "33", + "Durability": "250", + "Effects": "Weaken", + "Impact": "18", + "Item Set": "Kazite Set", + "Object ID": "2200080", + "Sell": "45", + "Stamina Cost": "2.56", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/dc/Kazite_Bow.png/revision/latest/scale-to-width-down/83?cb=20200616185510", + "effects": [ + "Inflicts Weaken (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.8%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Lawrence Dakers, Hunter" + } + ], + "raw_rows": [ + [ + "Lawrence Dakers, Hunter", + "1 - 2", + "43.8%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Archer (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Archer (Antique Plateau)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Kazite Bow is a type of Weapon in Outward." + }, + { + "name": "Kazite Cat Mask", + "url": "https://outward.fandom.com/wiki/Kazite_Cat_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "150", + "Cooldown Reduction": "5%", + "Damage Resist": "10%", + "Durability": "215", + "Impact Resist": "8%", + "Item Set": "Kazite Set", + "Mana Cost": "15%", + "Object ID": "3100112", + "Sell": "45", + "Slot": "Head", + "Stamina Cost": "-8%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/11/Kazite_Cat_Mask.png/revision/latest?cb=20190407194553", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Ogoi, Kazite Assassin" + } + ], + "raw_rows": [ + [ + "Ogoi, Kazite Assassin", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "13.9%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "6.4%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "6.2%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "5.3%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant" + }, + { + "chance": "5.2%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "2.2%", + "quantity": "1 - 2", + "source": "Kazite Bandit" + }, + { + "chance": "2.2%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Admiral", + "1 - 5", + "13.9%" + ], + [ + "Kazite Archer", + "1 - 4", + "6.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "6.2%" + ], + [ + "Kazite Lieutenant", + "1 - 3", + "5.3%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "5.2%" + ], + [ + "Kazite Bandit", + "1 - 2", + "2.2%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "2.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Cat Mask is a type of Armor in Outward, with identical stats to the Kazite Mask and the Kazite Oni Mask." + }, + { + "name": "Kazite Cestus", + "url": "https://outward.fandom.com/wiki/Kazite_Cestus", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "23", + "Durability": "275", + "Effects": "Weaken", + "Impact": "14", + "Item Set": "Kazite Set", + "Object ID": "2160120", + "Sell": "60", + "Stamina Cost": "2.2", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/94/Kazite_Cestus.png/revision/latest/scale-to-width-down/83?cb=20200616185511", + "effects": [ + "Inflicts Weaken (30% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.2", + "damage": "23", + "description": "Four fast punches, right to left", + "impact": "14", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "2.86", + "damage": "29.9", + "description": "Forward-lunging left hook", + "impact": "18.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "2.64", + "damage": "29.9", + "description": "Left dodging, left uppercut", + "impact": "18.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "2.64", + "damage": "29.9", + "description": "Right dodging, right spinning hammer strike", + "impact": "18.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "23", + "14", + "2.2", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "29.9", + "18.2", + "2.86", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "29.9", + "18.2", + "2.64", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "29.9", + "18.2", + "2.64", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Cestus is a type of Weapon in Outward." + }, + { + "name": "Kazite Chakram", + "url": "https://outward.fandom.com/wiki/Kazite_Chakram", + "categories": [ + "Items", + "Weapons", + "Chakrams", + "Off-Handed Weapons" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Chakrams", + "Damage": "34", + "Durability": "350", + "Impact": "47", + "Object ID": "5110050", + "Sell": "48", + "Type": "Off-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/98/Kazite_Chakram.png/revision/latest?cb=20190406073347", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon now inflicts Chill (40% buildup) and Scorched (40% buildup)Adds +4 flat Frost and +4 flat Fire damage", + "enchantment": "Musing of a Philosopher" + }, + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Musing of a Philosopher", + "Weapon now inflicts Chill (40% buildup) and Scorched (40% buildup)Adds +4 flat Frost and +4 flat Fire damage" + ], + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Ogoi, Kazite Assassin" + }, + { + "chance": "23.4%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Ogoi, Kazite Assassin", + "1", + "100%", + "Berg" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 2", + "23.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Blood Sorcerer", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ], + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Kazite Chakram is a Chakram type weapon found in Outward." + }, + { + "name": "Kazite Cleaver", + "url": "https://outward.fandom.com/wiki/Kazite_Cleaver", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "150", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "23", + "Durability": "275", + "Effects": "Weaken", + "Impact": "21", + "Item Set": "Kazite Set", + "Object ID": "2010180", + "Sell": "45", + "Stamina Cost": "4.5", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fc/Kazite_Cleaver.png/revision/latest/scale-to-width-down/83?cb=20200616185513", + "effects": [ + "Inflicts Weaken (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.5", + "damage": "23", + "description": "Two slashing strikes, right to left", + "impact": "21", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "5.4", + "damage": "29.9", + "description": "Fast, triple-attack strike", + "impact": "27.3", + "input": "Special" + }, + { + "attacks": "2", + "cost": "5.4", + "damage": "29.9", + "description": "Quick double strike", + "impact": "27.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "5.4", + "damage": "29.9", + "description": "Wide-sweeping double strike", + "impact": "27.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "23", + "21", + "4.5", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "29.9", + "27.3", + "5.4", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "29.9", + "27.3", + "5.4", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "29.9", + "27.3", + "5.4", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Cleaver is a type of Weapon in Outward." + }, + { + "name": "Kazite Greatblade", + "url": "https://outward.fandom.com/wiki/Kazite_Greatblade", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Swords", + "DLC": "The Soroboreans", + "Damage": "36", + "Durability": "300", + "Effects": "Weaken", + "Impact": "30", + "Item Set": "Kazite Set", + "Object ID": "2100200", + "Sell": "60", + "Stamina Cost": "6.3", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/95/Kazite_Greatblade.png/revision/latest/scale-to-width-down/83?cb=20200616185514", + "effects": [ + "Inflicts Weaken (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.3", + "damage": "36", + "description": "Two slashing strikes, left to right", + "impact": "30", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.19", + "damage": "54", + "description": "Overhead downward-thrusting strike", + "impact": "45", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.93", + "damage": "45.54", + "description": "Spinning strike from the right", + "impact": "33", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.93", + "damage": "45.54", + "description": "Spinning strike from the left", + "impact": "33", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "36", + "30", + "6.3", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "54", + "45", + "8.19", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "45.54", + "33", + "6.93", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "45.54", + "33", + "6.93", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Lieutenant (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Lieutenant (Antique Plateau)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Greatblade is a type of Weapon in Outward." + }, + { + "name": "Kazite Greatcleaver", + "url": "https://outward.fandom.com/wiki/Kazite_Greatcleaver", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "31", + "Durability": "325", + "Effects": "Weaken", + "Impact": "30", + "Item Set": "Kazite Set", + "Object ID": "2110160", + "Sell": "60", + "Stamina Cost": "6.4", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/12/Kazite_Greatcleaver.png/revision/latest/scale-to-width-down/83?cb=20200616185515", + "effects": [ + "Inflicts Weaken (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.4", + "damage": "31", + "description": "Two slashing strikes, left to right", + "impact": "30", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "8.8", + "damage": "40.3", + "description": "Uppercut strike into right sweep strike", + "impact": "39", + "input": "Special" + }, + { + "attacks": "2", + "cost": "8.8", + "damage": "40.3", + "description": "Left-spinning double strike", + "impact": "39", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "8.64", + "damage": "40.3", + "description": "Right-spinning double strike", + "impact": "39", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "31", + "30", + "6.4", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "40.3", + "39", + "8.8", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "40.3", + "39", + "8.8", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "40.3", + "39", + "8.64", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Greatcleaver is a type of Weapon in Outward." + }, + { + "name": "Kazite Greathammer", + "url": "https://outward.fandom.com/wiki/Kazite_Greathammer", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "33", + "Durability": "375", + "Effects": "Weaken", + "Impact": "36", + "Item Set": "Kazite Set", + "Object ID": "2120190", + "Sell": "60", + "Stamina Cost": "6.4", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d0/Kazite_Greathammer.png/revision/latest/scale-to-width-down/83?cb=20200616185516", + "effects": [ + "Inflicts Weaken (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.4", + "damage": "33", + "description": "Two slashing strikes, left to right", + "impact": "36", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.68", + "damage": "24.75", + "description": "Blunt strike with high impact", + "impact": "72", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.68", + "damage": "46.2", + "description": "Powerful overhead strike", + "impact": "50.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.68", + "damage": "46.2", + "description": "Forward-running uppercut strike", + "impact": "50.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "36", + "6.4", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "24.75", + "72", + "7.68", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "46.2", + "50.4", + "7.68", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "46.2", + "50.4", + "7.68", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bloody Alexis" + } + ], + "raw_rows": [ + [ + "Bloody Alexis", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Greathammer is a type of Weapon in Outward." + }, + { + "name": "Kazite Hammer", + "url": "https://outward.fandom.com/wiki/Kazite_Hammer", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "150", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "26", + "Durability": "350", + "Effects": "Weaken", + "Impact": "34", + "Item Set": "Kazite Set", + "Object ID": "2020220", + "Sell": "45", + "Stamina Cost": "4.6", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/15/Kazite_Hammer.png/revision/latest/scale-to-width-down/83?cb=20200616185517", + "effects": [ + "Inflicts Weaken (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.6", + "damage": "26", + "description": "Two wide-sweeping strikes, right to left", + "impact": "34", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.98", + "damage": "33.8", + "description": "Slow, overhead strike with high impact", + "impact": "85", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.98", + "damage": "33.8", + "description": "Fast, forward-thrusting strike", + "impact": "44.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.98", + "damage": "33.8", + "description": "Fast, forward-thrusting strike", + "impact": "44.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26", + "34", + "4.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "33.8", + "85", + "5.98", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "33.8", + "44.2", + "5.98", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "33.8", + "44.2", + "5.98", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Hammer is a type of Weapon in Outward." + }, + { + "name": "Kazite Lance", + "url": "https://outward.fandom.com/wiki/Kazite_Lance", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "150", + "Class": "Spears", + "DLC": "The Soroboreans", + "Damage": "35", + "Durability": "250", + "Effects": "Weaken", + "Impact": "19", + "Item Set": "Kazite Set", + "Object ID": "2130210", + "Sell": "45", + "Stamina Cost": "4.6", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/22/Kazite_Lance.png/revision/latest/scale-to-width-down/83?cb=20200616185518", + "effects": [ + "Inflicts Weaken (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.6", + "damage": "35", + "description": "Two forward-thrusting stabs", + "impact": "19", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.75", + "damage": "49", + "description": "Forward-lunging strike", + "impact": "22.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.75", + "damage": "45.5", + "description": "Left-sweeping strike, jump back", + "impact": "22.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.75", + "damage": "42", + "description": "Fast spinning strike from the right", + "impact": "20.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "35", + "19", + "4.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "49", + "22.8", + "5.75", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "45.5", + "22.8", + "5.75", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "42", + "20.9", + "5.75", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Bandit (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Bandit (Antique Plateau)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Lance is a type of Weapon in Outward." + }, + { + "name": "Kazite Light Armor", + "url": "https://outward.fandom.com/wiki/Kazite_Light_Armor", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "275", + "Cold Weather Def.": "10", + "Cooldown Reduction": "4%", + "DLC": "The Soroboreans", + "Damage Resist": "16%", + "Durability": "240", + "Impact Resist": "12%", + "Item Set": "Kazite Light Set", + "Object ID": "3100240", + "Sell": "83", + "Slot": "Chest", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e1/Kazite_Light_Armor.png/revision/latest/scale-to-width-down/83?cb=20200616185519", + "recipes": [ + { + "result": "Kazite Light Armor", + "result_count": "1x", + "ingredients": [ + "Light Kazite Shirt", + "Linen Cloth" + ], + "station": "None", + "source_page": "Kazite Light Armor" + }, + { + "result": "Light Kazite Shirt", + "result_count": "1x", + "ingredients": [ + "Kazite Light Armor" + ], + "station": "Decrafting", + "source_page": "Kazite Light Armor" + }, + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Kazite Light Armor" + ], + "station": "Decrafting", + "source_page": "Kazite Light Armor" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Light Kazite Shirt Linen Cloth", + "result": "1x Kazite Light Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Kazite Light Armor", + "Light Kazite Shirt Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Kazite Light Armor", + "result": "1x Light Kazite Shirt", + "station": "Decrafting" + }, + { + "ingredients": "Kazite Light Armor", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Light Kazite Shirt", + "Kazite Light Armor", + "Decrafting" + ], + [ + "1x Linen Cloth", + "Kazite Light Armor", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "2.1%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "1.8%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "1.1%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "2.1%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "1.8%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "1.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Light Armor is a type of Equipment in Outward." + }, + { + "name": "Kazite Light Boots", + "url": "https://outward.fandom.com/wiki/Kazite_Light_Boots", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "150", + "Cooldown Reduction": "3%", + "DLC": "The Soroboreans", + "Damage Resist": "10%", + "Durability": "240", + "Impact Resist": "8%", + "Item Set": "Kazite Light Set", + "Object ID": "3100242", + "Sell": "45", + "Slot": "Legs", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6f/Kazite_Light_Boots.png/revision/latest/scale-to-width-down/83?cb=20200616185520", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Gain +20% Stability regeneration rate", + "enchantment": "Compass" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Compass", + "Gain +20% Stability regeneration rate" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "2.1%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "1.8%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "1.1%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "2.1%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "1.8%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "1.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Light Boots is a type of Equipment in Outward." + }, + { + "name": "Kazite Light Helmet", + "url": "https://outward.fandom.com/wiki/Kazite_Light_Helmet", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "150", + "Cooldown Reduction": "3%", + "DLC": "The Soroboreans", + "Damage Resist": "10%", + "Durability": "240", + "Impact Resist": "8%", + "Item Set": "Kazite Light Set", + "Mana Cost": "15%", + "Object ID": "3100241", + "Sell": "45", + "Slot": "Head", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/11/Kazite_Light_Helmet.png/revision/latest/scale-to-width-down/83?cb=20200616185522", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "2.1%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "1.8%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "1.1%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "2.1%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "1.8%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "1.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Light Helmet is a type of Equipment in Outward." + }, + { + "name": "Kazite Light Set", + "url": "https://outward.fandom.com/wiki/Kazite_Light_Set", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "575", + "Cold Weather Def.": "10", + "Cooldown Reduction": "10%", + "DLC": "The Soroboreans", + "Damage Resist": "36%", + "Durability": "720", + "Impact Resist": "28%", + "Mana Cost": "15%", + "Object ID": "3100240 (Chest)3100242 (Legs)3100241 (Head)", + "Sell": "172", + "Slot": "Set", + "Weight": "13.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/08/Kazite_Light_Set.png/revision/latest/scale-to-width-down/250?cb=20201231063954", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "12%", + "column_5": "–", + "column_6": "10", + "column_7": "–", + "column_8": "4%", + "durability": "240", + "name": "Kazite Light Armor", + "resistances": "16%", + "weight": "6.0" + }, + { + "class": "Boots", + "column_4": "8%", + "column_5": "–", + "column_6": "–", + "column_7": "–", + "column_8": "3%", + "durability": "240", + "name": "Kazite Light Boots", + "resistances": "10%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "column_5": "–", + "column_6": "–", + "column_7": "15%", + "column_8": "3%", + "durability": "240", + "name": "Kazite Light Helmet", + "resistances": "10%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "12%", + "column_5": "10", + "column_6": "–", + "column_7": "–", + "column_8": "4%", + "durability": "240", + "name": "Light Kazite Shirt", + "resistances": "16%", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Kazite Light Armor", + "16%", + "12%", + "–", + "10", + "–", + "4%", + "240", + "6.0", + "Body Armor" + ], + [ + "", + "Kazite Light Boots", + "10%", + "8%", + "–", + "–", + "–", + "3%", + "240", + "4.0", + "Boots" + ], + [ + "", + "Kazite Light Helmet", + "10%", + "8%", + "–", + "–", + "15%", + "3%", + "240", + "3.0", + "Helmets" + ], + [ + "", + "Light Kazite Shirt", + "16%", + "12%", + "10", + "–", + "–", + "4%", + "240", + "6.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "12%", + "column_5": "–", + "column_6": "10", + "column_7": "–", + "column_8": "4%", + "durability": "240", + "name": "Kazite Light Armor", + "resistances": "16%", + "weight": "6.0" + }, + { + "class": "Boots", + "column_4": "8%", + "column_5": "–", + "column_6": "–", + "column_7": "–", + "column_8": "3%", + "durability": "240", + "name": "Kazite Light Boots", + "resistances": "10%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "column_5": "–", + "column_6": "–", + "column_7": "15%", + "column_8": "3%", + "durability": "240", + "name": "Kazite Light Helmet", + "resistances": "10%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "12%", + "column_5": "10", + "column_6": "–", + "column_7": "–", + "column_8": "4%", + "durability": "240", + "name": "Light Kazite Shirt", + "resistances": "16%", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Kazite Light Armor", + "16%", + "12%", + "–", + "10", + "–", + "4%", + "240", + "6.0", + "Body Armor" + ], + [ + "", + "Kazite Light Boots", + "10%", + "8%", + "–", + "–", + "–", + "3%", + "240", + "4.0", + "Boots" + ], + [ + "", + "Kazite Light Helmet", + "10%", + "8%", + "–", + "–", + "15%", + "3%", + "240", + "3.0", + "Helmets" + ], + [ + "", + "Light Kazite Shirt", + "16%", + "12%", + "10", + "–", + "–", + "4%", + "240", + "6.0", + "Body Armor" + ] + ] + } + ], + "description": "Kazite Light Set is a Set in Outward." + }, + { + "name": "Kazite Mask", + "url": "https://outward.fandom.com/wiki/Kazite_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "150", + "Damage Resist": "10%", + "Durability": "215", + "Impact Resist": "8%", + "Item Set": "Kazite Set", + "Mana Cost": "15%", + "Object ID": "3100111", + "Sell": "45", + "Slot": "Head", + "Stamina Cost": "-12%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ec/Kazite_Mask.png/revision/latest?cb=20190407080110", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Ogoi, Kazite Assassin" + } + ], + "raw_rows": [ + [ + "Ogoi, Kazite Assassin", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "13.9%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "6.4%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "6.2%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "5.3%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant" + }, + { + "chance": "5.2%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "2.2%", + "quantity": "1 - 2", + "source": "Kazite Bandit" + }, + { + "chance": "2.2%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Admiral", + "1 - 5", + "13.9%" + ], + [ + "Kazite Archer", + "1 - 4", + "6.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "6.2%" + ], + [ + "Kazite Lieutenant", + "1 - 3", + "5.3%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "5.2%" + ], + [ + "Kazite Bandit", + "1 - 2", + "2.2%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "2.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Kazite Mask is a type of Armor in Outward, with identical stats to the Kazite Oni Mask and Kazite Cat Mask." + }, + { + "name": "Kazite Oni Mask", + "url": "https://outward.fandom.com/wiki/Kazite_Oni_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "150", + "Damage Bonus": "5%", + "Damage Resist": "10%", + "Durability": "215", + "Impact Resist": "8%", + "Item Set": "Kazite Set", + "Mana Cost": "15%", + "Object ID": "3100113", + "Sell": "45", + "Slot": "Head", + "Stamina Cost": "-8%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/33/Kazite_Oni_Mask.png/revision/latest?cb=20190407194610", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Ogoi, Kazite Assassin" + } + ], + "raw_rows": [ + [ + "Ogoi, Kazite Assassin", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "13.9%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "6.4%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "6.2%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "5.3%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant" + }, + { + "chance": "5.2%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "2.2%", + "quantity": "1 - 2", + "source": "Kazite Bandit" + }, + { + "chance": "2.2%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + } + ], + "raw_rows": [ + [ + "Kazite Admiral", + "1 - 5", + "13.9%" + ], + [ + "Kazite Archer", + "1 - 4", + "6.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "6.2%" + ], + [ + "Kazite Lieutenant", + "1 - 3", + "5.3%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "5.2%" + ], + [ + "Kazite Bandit", + "1 - 2", + "2.2%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "2.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Oni Mask is a type of Armor in Outward, with identical stats to the Kazite Mask and the Kazite Cat Mask except in Definitive edition (5% damage increase added)" + }, + { + "name": "Kazite Partizan", + "url": "https://outward.fandom.com/wiki/Kazite_Partizan", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Polearms", + "DLC": "The Soroboreans", + "Damage": "31", + "Durability": "325", + "Effects": "Weaken", + "Impact": "31", + "Item Set": "Kazite Set", + "Object ID": "2140170", + "Sell": "60", + "Stamina Cost": "5.8", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f2/Kazite_Partizan.png/revision/latest/scale-to-width-down/83?cb=20200616185523", + "effects": [ + "Inflicts Weaken (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.8", + "damage": "31", + "description": "Two wide-sweeping strikes, left to right", + "impact": "31", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.25", + "damage": "40.3", + "description": "Forward-thrusting strike", + "impact": "40.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.25", + "damage": "40.3", + "description": "Wide-sweeping strike from left", + "impact": "40.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.15", + "damage": "52.7", + "description": "Slow but powerful sweeping strike", + "impact": "52.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "31", + "31", + "5.8", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "40.3", + "40.3", + "7.25", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "40.3", + "40.3", + "7.25", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "52.7", + "52.7", + "10.15", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Partizan is a type of Weapon in Outward." + }, + { + "name": "Kazite Pistol", + "url": "https://outward.fandom.com/wiki/Kazite_Pistol", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "160", + "Class": "Pistols", + "DLC": "The Soroboreans", + "Damage": "62", + "Durability": "200", + "Effects": "Weaken", + "Impact": "53", + "Item Set": "Kazite Set", + "Object ID": "5110200", + "Sell": "48", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Kazite_Pistol.png/revision/latest/scale-to-width-down/83?cb=20200616185524", + "effects": [ + "Inflicts Weaken (100% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Lawrence Dakers, Hunter" + } + ], + "raw_rows": [ + [ + "Lawrence Dakers, Hunter", + "1 - 2", + "36%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Pistol is a type of Weapon in Outward." + }, + { + "name": "Kazite Scutum", + "url": "https://outward.fandom.com/wiki/Kazite_Scutum", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "100", + "Class": "Shields", + "DLC": "The Soroboreans", + "Damage": "23", + "Durability": "175", + "Effects": "Weaken", + "Impact": "43", + "Impact Resist": "14.4%", + "Item Set": "Kazite Set", + "Object ID": "2300260", + "Sell": "30", + "Type": "Off-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/20/Kazite_Scutum.png/revision/latest/scale-to-width-down/83?cb=20200616185526", + "effects": [ + "Inflicts Weaken (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.5%", + "locations": "Ancient Foundry", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "4.5%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4.5%", + "locations": "Crumbling Loading Docks, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "4.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "4.5%", + "Ancient Foundry" + ], + [ + "Chest", + "1", + "4.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Immaculate's Camp, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "4.5%", + "Antique Plateau, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Junk Pile", + "1", + "4.5%", + "Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Crumbling Loading Docks, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1", + "4.5%", + "Destroyed Test Chambers" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau, Blood Mage Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "4.5%", + "Antique Plateau" + ] + ] + } + ], + "description": "Kazite Scutum is a type of Weapon in Outward." + }, + { + "name": "Kazite Set", + "url": "https://outward.fandom.com/wiki/Kazite_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "575", + "Damage Resist": "41%", + "Durability": "645", + "Impact Resist": "28%", + "Mana Cost": "15%", + "Object ID": "3100110 (Chest)3100114 (Legs)3100111 (Head)", + "Sell": "185", + "Slot": "Set", + "Stamina Cost": "-27%", + "Weight": "19.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5c/Kazite_set.png/revision/latest/scale-to-width-down/195?cb=20190423180347", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "12%", + "column_6": "-7%", + "column_7": "–", + "column_8": "–", + "damage_bonus%": "–", + "durability": "215", + "name": "Kazite Armor", + "resistances": "21%", + "weight": "10.0" + }, + { + "class": "Boots", + "column_4": "8%", + "column_6": "-8%", + "column_7": "–", + "column_8": "–", + "damage_bonus%": "–", + "durability": "215", + "name": "Kazite Boots", + "resistances": "10%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "column_6": "-8%", + "column_7": "15%", + "column_8": "5%", + "damage_bonus%": "–", + "durability": "215", + "name": "Kazite Cat Mask", + "resistances": "10%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "column_6": "-12%", + "column_7": "15%", + "column_8": "–", + "damage_bonus%": "–", + "durability": "215", + "name": "Kazite Mask", + "resistances": "10%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "column_6": "-8%", + "column_7": "15%", + "column_8": "–", + "damage_bonus%": "5%", + "durability": "215", + "name": "Kazite Oni Mask", + "resistances": "10%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Kazite Armor", + "21%", + "12%", + "–", + "-7%", + "–", + "–", + "215", + "10.0", + "Body Armor" + ], + [ + "", + "Kazite Boots", + "10%", + "8%", + "–", + "-8%", + "–", + "–", + "215", + "6.0", + "Boots" + ], + [ + "", + "Kazite Cat Mask", + "10%", + "8%", + "–", + "-8%", + "15%", + "5%", + "215", + "3.0", + "Helmets" + ], + [ + "", + "Kazite Mask", + "10%", + "8%", + "–", + "-12%", + "15%", + "–", + "215", + "3.0", + "Helmets" + ], + [ + "", + "Kazite Oni Mask", + "10%", + "8%", + "5%", + "-8%", + "15%", + "–", + "215", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Sword", + "column_4": "22", + "column_6": "4", + "damage": "26", + "durability": "225", + "effects": "Weaken", + "name": "Kazite Blade", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Bow", + "column_4": "18", + "column_6": "2.56", + "damage": "33", + "durability": "250", + "effects": "Weaken", + "name": "Kazite Bow", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "2H Gauntlet", + "column_4": "14", + "column_6": "2.2", + "damage": "23", + "durability": "275", + "effects": "Weaken", + "name": "Kazite Cestus", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "1H Axe", + "column_4": "21", + "column_6": "4.5", + "damage": "23", + "durability": "275", + "effects": "Weaken", + "name": "Kazite Cleaver", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "2H Sword", + "column_4": "30", + "column_6": "6.3", + "damage": "36", + "durability": "300", + "effects": "Weaken", + "name": "Kazite Greatblade", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Axe", + "column_4": "30", + "column_6": "6.4", + "damage": "31", + "durability": "325", + "effects": "Weaken", + "name": "Kazite Greatcleaver", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Mace", + "column_4": "36", + "column_6": "6.4", + "damage": "33", + "durability": "375", + "effects": "Weaken", + "name": "Kazite Greathammer", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "1H Mace", + "column_4": "34", + "column_6": "4.6", + "damage": "26", + "durability": "350", + "effects": "Weaken", + "name": "Kazite Hammer", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Spear", + "column_4": "19", + "column_6": "4.6", + "damage": "35", + "durability": "250", + "effects": "Weaken", + "name": "Kazite Lance", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Halberd", + "column_4": "31", + "column_6": "5.8", + "damage": "31", + "durability": "325", + "effects": "Weaken", + "name": "Kazite Partizan", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Pistol", + "column_4": "53", + "column_6": "–", + "damage": "62", + "durability": "200", + "effects": "Weaken", + "name": "Kazite Pistol", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "Shield", + "column_4": "43", + "column_6": "–", + "damage": "23", + "durability": "175", + "effects": "Weaken", + "name": "Kazite Scutum", + "resist": "14%", + "speed": "1.0", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Kazite Blade", + "26", + "22", + "–", + "4", + "1.0", + "225", + "4.0", + "Weaken", + "1H Sword" + ], + [ + "", + "Kazite Bow", + "33", + "18", + "–", + "2.56", + "1.0", + "250", + "3.0", + "Weaken", + "Bow" + ], + [ + "", + "Kazite Cestus", + "23", + "14", + "–", + "2.2", + "1.0", + "275", + "3.0", + "Weaken", + "2H Gauntlet" + ], + [ + "", + "Kazite Cleaver", + "23", + "21", + "–", + "4.5", + "1.0", + "275", + "4.0", + "Weaken", + "1H Axe" + ], + [ + "", + "Kazite Greatblade", + "36", + "30", + "–", + "6.3", + "1.0", + "300", + "6.0", + "Weaken", + "2H Sword" + ], + [ + "", + "Kazite Greatcleaver", + "31", + "30", + "–", + "6.4", + "1.0", + "325", + "6.0", + "Weaken", + "2H Axe" + ], + [ + "", + "Kazite Greathammer", + "33", + "36", + "–", + "6.4", + "1.0", + "375", + "7.0", + "Weaken", + "2H Mace" + ], + [ + "", + "Kazite Hammer", + "26", + "34", + "–", + "4.6", + "1.0", + "350", + "5.0", + "Weaken", + "1H Mace" + ], + [ + "", + "Kazite Lance", + "35", + "19", + "–", + "4.6", + "1.0", + "250", + "5.0", + "Weaken", + "Spear" + ], + [ + "", + "Kazite Partizan", + "31", + "31", + "–", + "5.8", + "1.0", + "325", + "6.0", + "Weaken", + "Halberd" + ], + [ + "", + "Kazite Pistol", + "62", + "53", + "–", + "–", + "1.0", + "200", + "1.0", + "Weaken", + "Pistol" + ], + [ + "", + "Kazite Scutum", + "23", + "43", + "14%", + "–", + "1.0", + "175", + "5.0", + "Weaken", + "Shield" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "12%", + "column_6": "-7%", + "column_7": "–", + "column_8": "–", + "damage_bonus%": "–", + "durability": "215", + "name": "Kazite Armor", + "resistances": "21%", + "weight": "10.0" + }, + { + "class": "Boots", + "column_4": "8%", + "column_6": "-8%", + "column_7": "–", + "column_8": "–", + "damage_bonus%": "–", + "durability": "215", + "name": "Kazite Boots", + "resistances": "10%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "column_6": "-8%", + "column_7": "15%", + "column_8": "5%", + "damage_bonus%": "–", + "durability": "215", + "name": "Kazite Cat Mask", + "resistances": "10%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "column_6": "-12%", + "column_7": "15%", + "column_8": "–", + "damage_bonus%": "–", + "durability": "215", + "name": "Kazite Mask", + "resistances": "10%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "column_6": "-8%", + "column_7": "15%", + "column_8": "–", + "damage_bonus%": "5%", + "durability": "215", + "name": "Kazite Oni Mask", + "resistances": "10%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Kazite Armor", + "21%", + "12%", + "–", + "-7%", + "–", + "–", + "215", + "10.0", + "Body Armor" + ], + [ + "", + "Kazite Boots", + "10%", + "8%", + "–", + "-8%", + "–", + "–", + "215", + "6.0", + "Boots" + ], + [ + "", + "Kazite Cat Mask", + "10%", + "8%", + "–", + "-8%", + "15%", + "5%", + "215", + "3.0", + "Helmets" + ], + [ + "", + "Kazite Mask", + "10%", + "8%", + "–", + "-12%", + "15%", + "–", + "215", + "3.0", + "Helmets" + ], + [ + "", + "Kazite Oni Mask", + "10%", + "8%", + "5%", + "-8%", + "15%", + "–", + "215", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Sword", + "column_4": "22", + "column_6": "4", + "damage": "26", + "durability": "225", + "effects": "Weaken", + "name": "Kazite Blade", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Bow", + "column_4": "18", + "column_6": "2.56", + "damage": "33", + "durability": "250", + "effects": "Weaken", + "name": "Kazite Bow", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "2H Gauntlet", + "column_4": "14", + "column_6": "2.2", + "damage": "23", + "durability": "275", + "effects": "Weaken", + "name": "Kazite Cestus", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "1H Axe", + "column_4": "21", + "column_6": "4.5", + "damage": "23", + "durability": "275", + "effects": "Weaken", + "name": "Kazite Cleaver", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "2H Sword", + "column_4": "30", + "column_6": "6.3", + "damage": "36", + "durability": "300", + "effects": "Weaken", + "name": "Kazite Greatblade", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Axe", + "column_4": "30", + "column_6": "6.4", + "damage": "31", + "durability": "325", + "effects": "Weaken", + "name": "Kazite Greatcleaver", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Mace", + "column_4": "36", + "column_6": "6.4", + "damage": "33", + "durability": "375", + "effects": "Weaken", + "name": "Kazite Greathammer", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "1H Mace", + "column_4": "34", + "column_6": "4.6", + "damage": "26", + "durability": "350", + "effects": "Weaken", + "name": "Kazite Hammer", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Spear", + "column_4": "19", + "column_6": "4.6", + "damage": "35", + "durability": "250", + "effects": "Weaken", + "name": "Kazite Lance", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Halberd", + "column_4": "31", + "column_6": "5.8", + "damage": "31", + "durability": "325", + "effects": "Weaken", + "name": "Kazite Partizan", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Pistol", + "column_4": "53", + "column_6": "–", + "damage": "62", + "durability": "200", + "effects": "Weaken", + "name": "Kazite Pistol", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "Shield", + "column_4": "43", + "column_6": "–", + "damage": "23", + "durability": "175", + "effects": "Weaken", + "name": "Kazite Scutum", + "resist": "14%", + "speed": "1.0", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Kazite Blade", + "26", + "22", + "–", + "4", + "1.0", + "225", + "4.0", + "Weaken", + "1H Sword" + ], + [ + "", + "Kazite Bow", + "33", + "18", + "–", + "2.56", + "1.0", + "250", + "3.0", + "Weaken", + "Bow" + ], + [ + "", + "Kazite Cestus", + "23", + "14", + "–", + "2.2", + "1.0", + "275", + "3.0", + "Weaken", + "2H Gauntlet" + ], + [ + "", + "Kazite Cleaver", + "23", + "21", + "–", + "4.5", + "1.0", + "275", + "4.0", + "Weaken", + "1H Axe" + ], + [ + "", + "Kazite Greatblade", + "36", + "30", + "–", + "6.3", + "1.0", + "300", + "6.0", + "Weaken", + "2H Sword" + ], + [ + "", + "Kazite Greatcleaver", + "31", + "30", + "–", + "6.4", + "1.0", + "325", + "6.0", + "Weaken", + "2H Axe" + ], + [ + "", + "Kazite Greathammer", + "33", + "36", + "–", + "6.4", + "1.0", + "375", + "7.0", + "Weaken", + "2H Mace" + ], + [ + "", + "Kazite Hammer", + "26", + "34", + "–", + "4.6", + "1.0", + "350", + "5.0", + "Weaken", + "1H Mace" + ], + [ + "", + "Kazite Lance", + "35", + "19", + "–", + "4.6", + "1.0", + "250", + "5.0", + "Weaken", + "Spear" + ], + [ + "", + "Kazite Partizan", + "31", + "31", + "–", + "5.8", + "1.0", + "325", + "6.0", + "Weaken", + "Halberd" + ], + [ + "", + "Kazite Pistol", + "62", + "53", + "–", + "–", + "1.0", + "200", + "1.0", + "Weaken", + "Pistol" + ], + [ + "", + "Kazite Scutum", + "23", + "43", + "14%", + "–", + "1.0", + "175", + "5.0", + "Weaken", + "Shield" + ] + ] + } + ], + "description": "Kazite Set is a Set in Outward." + }, + { + "name": "Kelvin's Greataxe", + "url": "https://outward.fandom.com/wiki/Kelvin%27s_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Axes", + "Damage": "29 29", + "Durability": "450", + "Effects": "Slow Down", + "Impact": "45", + "Object ID": "2110110", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6c/Kelvin%27s_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20190629155140", + "effects": [ + "Lowers the player's temperature by -14 when equipped (equivalent to \"Fresh\" weather)", + "Inflicts Slow Down (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Kelvin's Greataxe", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Scourge's Tears", + "Leyline Figment" + ], + "station": "None", + "source_page": "Kelvin's Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "29 29", + "description": "Two slashing strikes, left to right", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "37.7 37.7", + "description": "Uppercut strike into right sweep strike", + "impact": "58.5", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "37.7 37.7", + "description": "Left-spinning double strike", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.4", + "damage": "37.7 37.7", + "description": "Right-spinning double strike", + "impact": "58.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29 29", + "45", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "37.7 37.7", + "58.5", + "10.59", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "37.7 37.7", + "58.5", + "10.59", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "37.7 37.7", + "58.5", + "10.4", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Elatt's Relic Scourge's Tears Leyline Figment", + "result": "1x Kelvin's Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Kelvin's Greataxe", + "Gep's Generosity Elatt's Relic Scourge's Tears Leyline Figment", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Kelvin's Greataxe is a type of Two-Handed Axe weapon in Outward." + }, + { + "name": "Kintsugi Armor", + "url": "https://outward.fandom.com/wiki/Kintsugi_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "700", + "Damage Resist": "26%", + "Durability": "400", + "Hot Weather Def.": "-10", + "Impact Resist": "30%", + "Item Set": "Kintsugi Set", + "Movement Speed": "-11%", + "Object ID": "3100070", + "Protection": "3", + "Sell": "233", + "Slot": "Chest", + "Stamina Cost": "8%", + "Weight": "21.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/92/Kintsugi_Armor.png/revision/latest?cb=20190415121151", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Iron Sides" + } + ], + "raw_rows": [ + [ + "Iron Sides", + "1", + "100%", + "Giants' Village" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Kintsugi Armor is a type of Armor in Outward." + }, + { + "name": "Kintsugi Boots", + "url": "https://outward.fandom.com/wiki/Kintsugi_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "350", + "Damage Resist": "18%", + "Durability": "400", + "Impact Resist": "17%", + "Item Set": "Kintsugi Set", + "Movement Speed": "-9%", + "Object ID": "3100072", + "Protection": "2", + "Sell": "116", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "14.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/15/Kintsugi_Boots.png/revision/latest?cb=20190415154142", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Iron Sides" + } + ], + "raw_rows": [ + [ + "Iron Sides", + "1", + "100%", + "Giants' Village" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Kintsugi Boots is a type of Armor in Outward." + }, + { + "name": "Kintsugi Helm", + "url": "https://outward.fandom.com/wiki/Kintsugi_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "350", + "Damage Resist": "18%", + "Durability": "400", + "Impact Resist": "17%", + "Item Set": "Kintsugi Set", + "Mana Cost": "50%", + "Movement Speed": "-9%", + "Object ID": "3100071", + "Protection": "2", + "Sell": "105", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/85/Kintsugi_Helm.png/revision/latest?cb=20190407080029", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Iron Sides" + } + ], + "raw_rows": [ + [ + "Iron Sides", + "1", + "100%", + "Giants' Village" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Kintsugi Helm is a type of Armor in Outward." + }, + { + "name": "Kintsugi Set", + "url": "https://outward.fandom.com/wiki/Kintsugi_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1400", + "Damage Resist": "62%", + "Durability": "1200", + "Hot Weather Def.": "-10", + "Impact Resist": "64%", + "Mana Cost": "50%", + "Movement Speed": "-29%", + "Object ID": "3100070 (Chest)3100072 (Legs)3100071 (Head)", + "Protection": "7", + "Sell": "454", + "Slot": "Set", + "Stamina Cost": "16%", + "Weight": "45.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c6/Kintsugi_set.png/revision/latest/scale-to-width-down/195?cb=20190426031837", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "30%", + "column_5": "3", + "column_6": "-10", + "column_7": "8%", + "column_8": "–", + "column_9": "-11%", + "durability": "400", + "name": "Kintsugi Armor", + "resistances": "26%", + "weight": "21.0" + }, + { + "class": "Boots", + "column_4": "17%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "–", + "column_9": "-9%", + "durability": "400", + "name": "Kintsugi Boots", + "resistances": "18%", + "weight": "14.0" + }, + { + "class": "Helmets", + "column_4": "17%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "50%", + "column_9": "-9%", + "durability": "400", + "name": "Kintsugi Helm", + "resistances": "18%", + "weight": "10.0" + } + ], + "raw_rows": [ + [ + "", + "Kintsugi Armor", + "26%", + "30%", + "3", + "-10", + "8%", + "–", + "-11%", + "400", + "21.0", + "Body Armor" + ], + [ + "", + "Kintsugi Boots", + "18%", + "17%", + "2", + "–", + "4%", + "–", + "-9%", + "400", + "14.0", + "Boots" + ], + [ + "", + "Kintsugi Helm", + "18%", + "17%", + "2", + "–", + "4%", + "50%", + "-9%", + "400", + "10.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "30%", + "column_5": "3", + "column_6": "-10", + "column_7": "8%", + "column_8": "–", + "column_9": "-11%", + "durability": "400", + "name": "Kintsugi Armor", + "resistances": "26%", + "weight": "21.0" + }, + { + "class": "Boots", + "column_4": "17%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "–", + "column_9": "-9%", + "durability": "400", + "name": "Kintsugi Boots", + "resistances": "18%", + "weight": "14.0" + }, + { + "class": "Helmets", + "column_4": "17%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "50%", + "column_9": "-9%", + "durability": "400", + "name": "Kintsugi Helm", + "resistances": "18%", + "weight": "10.0" + } + ], + "raw_rows": [ + [ + "", + "Kintsugi Armor", + "26%", + "30%", + "3", + "-10", + "8%", + "–", + "-11%", + "400", + "21.0", + "Body Armor" + ], + [ + "", + "Kintsugi Boots", + "18%", + "17%", + "2", + "–", + "4%", + "–", + "-9%", + "400", + "14.0", + "Boots" + ], + [ + "", + "Kintsugi Helm", + "18%", + "17%", + "2", + "–", + "4%", + "50%", + "-9%", + "400", + "10.0", + "Helmets" + ] + ] + } + ], + "description": "Kintsugi Set is a Set in Outward." + }, + { + "name": "Krimp Nut", + "url": "https://outward.fandom.com/wiki/Krimp_Nut", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "Effects": "Stamina Recovery 2", + "Hunger": "5%", + "Object ID": "4000280", + "Perish Time": "11 Days 21 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/30/Krimp_Nut.png/revision/latest/scale-to-width-down/83?cb=20190413003557", + "effects": [ + "Restores 50 Hunger", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Krimp Nut" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Krimp Nut" + }, + { + "result": "Great Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Endurance Potion" + ], + "station": "Alchemy Kit", + "source_page": "Krimp Nut" + }, + { + "result": "Great Life Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Horror Chitin", + "Krimp Nut" + ], + "station": "Alchemy Kit", + "source_page": "Krimp Nut" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Krimp Nut" + }, + { + "result": "Roasted Krimp Nut", + "result_count": "1x", + "ingredients": [ + "Krimp Nut" + ], + "station": "Campfire", + "source_page": "Krimp Nut" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Krimp Nut" + }, + { + "result": "Warrior Elixir", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Crystal Powder", + "Larva Egg", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Krimp Nut" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Krimp NutEndurance Potion", + "result": "1x Great Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterHorror ChitinKrimp Nut", + "result": "3x Great Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "Krimp Nut", + "result": "1x Roasted Krimp Nut", + "station": "Campfire" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Krimp NutCrystal PowderLarva EggWater", + "result": "1x Warrior Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "1x Great Endurance Potion", + "Krimp NutEndurance Potion", + "Alchemy Kit" + ], + [ + "3x Great Life Potion", + "WaterHorror ChitinKrimp Nut", + "Alchemy Kit" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "1x Roasted Krimp Nut", + "Krimp Nut", + "Campfire" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "1x Warrior Elixir", + "Krimp NutCrystal PowderLarva EggWater", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Krimp" + } + ], + "raw_rows": [ + [ + "Krimp", + "1 - 2", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1 - 4", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 2", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1 - 4", + "source": "Silver-Nose the Trader" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "37.9%", + "locations": "New Sirocco", + "quantity": "1 - 18", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "33.8%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "1 - 18", + "source": "Vay the Alchemist" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 18", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 18", + "source": "Fourth Watcher" + }, + { + "chance": "17.5%", + "locations": "Harmattan", + "quantity": "3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "1 - 4", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Gold Belly", + "1 - 4", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "1 - 2", + "100%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Silver-Nose the Trader", + "1 - 4", + "100%", + "Hallowed Marsh" + ], + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 18", + "37.9%", + "New Sirocco" + ], + [ + "Tuan the Alchemist", + "3", + "33.8%", + "Levant" + ], + [ + "Vay the Alchemist", + "1 - 18", + "33%", + "Berg" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 18", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 18", + "25.9%", + "Conflux Chambers" + ], + [ + "Robyn Garnet, Alchemist", + "3", + "17.5%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "1 - 4", + "11.8%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "37.6%", + "quantity": "2 - 4", + "source": "Phytoflora" + }, + { + "chance": "15.8%", + "quantity": "2 - 3", + "source": "Phytosaur" + } + ], + "raw_rows": [ + [ + "Phytoflora", + "2 - 4", + "37.6%" + ], + [ + "Phytosaur", + "2 - 3", + "15.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Compromised Mana Transfer Station, Under Island", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Compromised Mana Transfer Station, Under Island" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Abandoned Living Quarters" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress" + ] + ] + } + ], + "description": "Krimp Nut is a Food item in Outward." + }, + { + "name": "Krypteia Armor", + "url": "https://outward.fandom.com/wiki/Krypteia_Armor", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "675", + "DLC": "The Three Brothers", + "Damage Bonus": "14%", + "Damage Resist": "25% 13% 13%", + "Durability": "300", + "Effects": "Prevents Mild Petrification and Holy Blaze", + "Impact Resist": "10%", + "Item Set": "Krypteia Set", + "Object ID": "3100470", + "Sell": "203", + "Slot": "Chest", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/05/Krypteia_Armor.png/revision/latest/scale-to-width-down/83?cb=20201220075025", + "effects": [ + "Provides 100% Status Resistance to Holy Blaze", + "Provides 100% Status Resistance to Mild Petrification" + ], + "recipes": [ + { + "result": "Krypteia Armor", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Leyline Figment", + "Vendavel's Hospitality", + "Noble's Greed" + ], + "station": "None", + "source_page": "Krypteia Armor" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Elatt's Relic Leyline Figment Vendavel's Hospitality Noble's Greed", + "result": "1x Krypteia Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Krypteia Armor", + "Elatt's Relic Leyline Figment Vendavel's Hospitality Noble's Greed", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Krypteia Armor is a type of Equipment in Outward." + }, + { + "name": "Krypteia Boots", + "url": "https://outward.fandom.com/wiki/Krypteia_Boots", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "375", + "DLC": "The Three Brothers", + "Damage Bonus": "7%", + "Damage Resist": "16% 6% 6%", + "Durability": "300", + "Effects": "Prevents Blaze", + "Impact Resist": "8%", + "Item Set": "Krypteia Set", + "Object ID": "3100472", + "Sell": "112", + "Slot": "Legs", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/33/Krypteia_Boots.png/revision/latest/scale-to-width-down/83?cb=20201220075026", + "effects": [ + "Provides 100% Status Resistance to Blaze" + ], + "recipes": [ + { + "result": "Krypteia Boots", + "result_count": "1x", + "ingredients": [ + "Scourge's Tears", + "Pearlbird's Courage", + "Calixa's Relic", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Krypteia Boots" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Scourge's Tears Pearlbird's Courage Calixa's Relic Calygrey's Wisdom", + "result": "1x Krypteia Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Krypteia Boots", + "Scourge's Tears Pearlbird's Courage Calixa's Relic Calygrey's Wisdom", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Krypteia Boots is a type of Equipment in Outward." + }, + { + "name": "Krypteia Mask", + "url": "https://outward.fandom.com/wiki/Krypteia_Mask", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "375", + "DLC": "The Three Brothers", + "Damage Bonus": "7%", + "Damage Resist": "16% 6% 6%", + "Durability": "300", + "Effects": "Prevents Plague", + "Impact Resist": "8%", + "Item Set": "Krypteia Set", + "Object ID": "3100471", + "Sell": "112", + "Slot": "Head", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/14/Krypteia_Mask.png/revision/latest/scale-to-width-down/83?cb=20201220075028", + "effects": [ + "Provides 100% Status Resistance to Plague" + ], + "recipes": [ + { + "result": "Krypteia Mask", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Haunted Memory", + "Gep's Generosity", + "Scarlet Whisper" + ], + "station": "None", + "source_page": "Krypteia Mask" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Pearlbird's Courage Haunted Memory Gep's Generosity Scarlet Whisper", + "result": "1x Krypteia Mask", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Krypteia Mask", + "Pearlbird's Courage Haunted Memory Gep's Generosity Scarlet Whisper", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Krypteia Mask is a type of Equipment in Outward." + }, + { + "name": "Krypteia Set", + "url": "https://outward.fandom.com/wiki/Krypteia_Set", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1425", + "DLC": "The Three Brothers", + "Damage Bonus": "28%", + "Damage Resist": "57% 25% 25%", + "Durability": "900", + "Impact Resist": "26%", + "Object ID": "3100470 (Chest)3100472 (Legs)3100471 (Head)", + "Sell": "426", + "Slot": "Set", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/94/Krypteia_Set.png/revision/latest/scale-to-width-down/250?cb=20201231063957", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "10%", + "damage_bonus%": "14%", + "durability": "300", + "effects": "Prevents Mild Petrification and Holy Blaze", + "name": "Krypteia Armor", + "resistances": "25% 13% 13%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "8%", + "damage_bonus%": "7%", + "durability": "300", + "effects": "Prevents Blaze", + "name": "Krypteia Boots", + "resistances": "16% 6% 6%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "damage_bonus%": "7%", + "durability": "300", + "effects": "Prevents Plague", + "name": "Krypteia Mask", + "resistances": "16% 6% 6%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Krypteia Armor", + "25% 13% 13%", + "10%", + "14%", + "300", + "8.0", + "Prevents Mild Petrification and Holy Blaze", + "Body Armor" + ], + [ + "", + "Krypteia Boots", + "16% 6% 6%", + "8%", + "7%", + "300", + "4.0", + "Prevents Blaze", + "Boots" + ], + [ + "", + "Krypteia Mask", + "16% 6% 6%", + "8%", + "7%", + "300", + "3.0", + "Prevents Plague", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "10%", + "damage_bonus%": "14%", + "durability": "300", + "effects": "Prevents Mild Petrification and Holy Blaze", + "name": "Krypteia Armor", + "resistances": "25% 13% 13%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "8%", + "damage_bonus%": "7%", + "durability": "300", + "effects": "Prevents Blaze", + "name": "Krypteia Boots", + "resistances": "16% 6% 6%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "damage_bonus%": "7%", + "durability": "300", + "effects": "Prevents Plague", + "name": "Krypteia Mask", + "resistances": "16% 6% 6%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Krypteia Armor", + "25% 13% 13%", + "10%", + "14%", + "300", + "8.0", + "Prevents Mild Petrification and Holy Blaze", + "Body Armor" + ], + [ + "", + "Krypteia Boots", + "16% 6% 6%", + "8%", + "7%", + "300", + "4.0", + "Prevents Blaze", + "Boots" + ], + [ + "", + "Krypteia Mask", + "16% 6% 6%", + "8%", + "7%", + "300", + "3.0", + "Prevents Plague", + "Helmets" + ] + ] + } + ], + "description": "Krypteia Set is a Set in Outward." + }, + { + "name": "Krypteia Tomb Key", + "url": "https://outward.fandom.com/wiki/Krypteia_Tomb_Key", + "categories": [ + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "5600032", + "Sell": "0", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7e/Krypteia_Tomb_Key.png/revision/latest?cb=20190426210442", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "The First Cannibal" + } + ], + "raw_rows": [ + [ + "The First Cannibal", + "1", + "100%" + ] + ] + } + ], + "description": "Krypteia Tomb Key is a Key in Outward." + }, + { + "name": "Lantern of Souls", + "url": "https://outward.fandom.com/wiki/Lantern_of_Souls", + "categories": [ + "Items", + "Equipment", + "Lanterns" + ], + "infobox": { + "Buy": "0", + "Class": "Lanterns", + "Durability": "∞", + "Effects": "20 resistance10 resistance10 resistance10 resistance10 resistance", + "Object ID": "5100080", + "Sell": "0", + "Type": "Throwable", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/af/Lantern_of_Souls.png/revision/latest?cb=20190407074602", + "description": "Lantern of Souls is a unique lantern in Outward." + }, + { + "name": "Large Chalcedony Stone", + "url": "https://outward.fandom.com/wiki/Large_Chalcedony_Stone", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "50", + "Capacity": "0", + "Class": "Backpacks", + "DLC": "The Three Brothers", + "Durability": "∞", + "Inventory Protection": "2", + "Object ID": "5380000", + "Sell": "15", + "Weight": "150" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/be/Large_Chalcedony_Stone.png/revision/latest/scale-to-width-down/83?cb=20201220075032", + "description": "Large Chalcedony Stone is a type of Equipment in Outward." + }, + { + "name": "Large Emerald", + "url": "https://outward.fandom.com/wiki/Large_Emerald", + "categories": [ + "Gemstone", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "80", + "Object ID": "6200090", + "Sell": "80", + "Type": "Gemstone", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Large_Emerald.png/revision/latest/scale-to-width-down/83?cb=20200316064946", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "6.2%", + "quantity": "1 - 2", + "source": "Rich Iron Vein" + }, + { + "chance": "5.2%", + "quantity": "1", + "source": "Palladium Vein" + }, + { + "chance": "5.2%", + "quantity": "1", + "source": "Palladium Vein (Tourmaline)" + } + ], + "raw_rows": [ + [ + "Rich Iron Vein", + "1 - 2", + "6.2%" + ], + [ + "Palladium Vein", + "1", + "5.2%" + ], + [ + "Palladium Vein (Tourmaline)", + "1", + "5.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "46.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "40.5%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "32.1%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "46.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "40.5%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "32.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Mad Captain's Bones" + }, + { + "chance": "89.8%", + "quantity": "1 - 15", + "source": "She Who Speaks" + }, + { + "chance": "44.5%", + "quantity": "2", + "source": "Concealed Knight: ???" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Friendly Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Raider" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Warlock" + }, + { + "chance": "34.1%", + "quantity": "1 - 5", + "source": "Ash Giant Priest" + }, + { + "chance": "34.1%", + "quantity": "1 - 5", + "source": "Giant Hunter" + }, + { + "chance": "12.7%", + "quantity": "1 - 4", + "source": "Ash Giant" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Gastrocin" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Jewelbird" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Volcanic Gastrocin" + }, + { + "chance": "3.5%", + "quantity": "1 - 2", + "source": "Animated Skeleton (Miner)" + }, + { + "chance": "3.4%", + "quantity": "1 - 2", + "source": "Altered Gargoyle" + } + ], + "raw_rows": [ + [ + "Mad Captain's Bones", + "1", + "100%" + ], + [ + "She Who Speaks", + "1 - 15", + "89.8%" + ], + [ + "Concealed Knight: ???", + "2", + "44.5%" + ], + [ + "Friendly Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate Raider", + "1 - 5", + "41%" + ], + [ + "Immaculate Warlock", + "1 - 5", + "41%" + ], + [ + "Ash Giant Priest", + "1 - 5", + "34.1%" + ], + [ + "Giant Hunter", + "1 - 5", + "34.1%" + ], + [ + "Ash Giant", + "1 - 4", + "12.7%" + ], + [ + "Gastrocin", + "1", + "8.3%" + ], + [ + "Jewelbird", + "1", + "8.3%" + ], + [ + "Volcanic Gastrocin", + "1", + "8.3%" + ], + [ + "Animated Skeleton (Miner)", + "1 - 2", + "3.5%" + ], + [ + "Altered Gargoyle", + "1 - 2", + "3.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "25%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "25%", + "locations": "Bandit Hideout, Caldera, Cierzo (Destroyed), Crumbling Loading Docks, Forgotten Research Laboratory, Oil Refinery, Old Sirocco, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "25%", + "locations": "Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "25%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "25%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "25%", + "locations": "Abandoned Ziggurat, Abrassar, Ancient Hive, Bandits' Prison, Cabal of Wind Outpost, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Tree, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Slide, The Vault of Stone, Undercity Passage, Vigil Pylon, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "25%", + "locations": "Ark of the Exiled, Crumbling Loading Docks, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Ruined Warehouse, Wendigo Lair", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "25%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "25%", + "Bandit Hideout, Caldera, Cierzo (Destroyed), Crumbling Loading Docks, Forgotten Research Laboratory, Oil Refinery, Old Sirocco, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone" + ], + [ + "Corpse", + "1", + "25%", + "Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "25%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "25%", + "Antique Plateau" + ], + [ + "Ornate Chest", + "1", + "25%", + "Abandoned Ziggurat, Abrassar, Ancient Hive, Bandits' Prison, Cabal of Wind Outpost, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Tree, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Slide, The Vault of Stone, Undercity Passage, Vigil Pylon, Ziggurat Passage" + ], + [ + "Scavenger's Corpse", + "1", + "25%", + "Ark of the Exiled, Crumbling Loading Docks, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Ruined Warehouse, Wendigo Lair" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Large Emerald is an item in Outward." + }, + { + "name": "Larva Egg", + "url": "https://outward.fandom.com/wiki/Larva_Egg", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Health Recovery 2Stamina Recovery 2Chance for Indigestion", + "Hunger": "7.5%", + "Object ID": "4000070", + "Perish Time": "6 Days", + "Sell": "4", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/74/Larva_Egg.png/revision/latest/scale-to-width-down/83?cb=20190410141004", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Health Recovery (level 2)", + "Player receives Stamina Recovery (level 2)", + "Player receives Indigestion (30% chance)" + ], + "recipes": [ + { + "result": "Angel Food Cake", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Larva Egg" + }, + { + "result": "Bolt Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Larva Egg" + ], + "station": "None", + "source_page": "Larva Egg" + }, + { + "result": "Cheese Cake", + "result_count": "3x", + "ingredients": [ + "Fresh Cream", + "Fresh Cream", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Larva Egg" + }, + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Larva Egg" + }, + { + "result": "Cooked Larva Egg", + "result_count": "1x", + "ingredients": [ + "Larva Egg" + ], + "station": "Campfire", + "source_page": "Larva Egg" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Larva Egg" + }, + { + "result": "Luxe Lichette", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Azure Shrimp", + "Raw Rainbow Trout", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Larva Egg" + }, + { + "result": "Miner's Omelet", + "result_count": "3x", + "ingredients": [ + "Egg", + "Egg", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Larva Egg" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Larva Egg" + }, + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Larva Egg" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Larva Egg" + }, + { + "result": "Spiny Meringue", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Egg", + "Larva Egg" + ], + "station": "Cooking Pot", + "source_page": "Larva Egg" + }, + { + "result": "Warrior Elixir", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Crystal Powder", + "Larva Egg", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Larva Egg" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "FlourEggSugar", + "result": "3x Angel Food Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Linen ClothLarva Egg", + "result": "1x Bolt Rag", + "station": "None" + }, + { + "ingredients": "Fresh CreamFresh CreamEggSugar", + "result": "3x Cheese Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's MeatSaltEggFlour", + "result": "1x Cipate", + "station": "Cooking Pot" + }, + { + "ingredients": "Larva Egg", + "result": "1x Cooked Larva Egg", + "station": "Campfire" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Larva EggAzure ShrimpRaw Rainbow TroutSeaweed", + "result": "3x Luxe Lichette", + "station": "Cooking Pot" + }, + { + "ingredients": "EggEggCommon Mushroom", + "result": "3x Miner's Omelet", + "station": "Cooking Pot" + }, + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FlourEggSugarBoozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Cactus FruitCactus FruitEggLarva Egg", + "result": "3x Spiny Meringue", + "station": "Cooking Pot" + }, + { + "ingredients": "Krimp NutCrystal PowderLarva EggWater", + "result": "1x Warrior Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Angel Food Cake", + "FlourEggSugar", + "Cooking Pot" + ], + [ + "1x Bolt Rag", + "Linen ClothLarva Egg", + "None" + ], + [ + "3x Cheese Cake", + "Fresh CreamFresh CreamEggSugar", + "Cooking Pot" + ], + [ + "1x Cipate", + "Boozu's MeatSaltEggFlour", + "Cooking Pot" + ], + [ + "1x Cooked Larva Egg", + "Larva Egg", + "Campfire" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "3x Luxe Lichette", + "Larva EggAzure ShrimpRaw Rainbow TroutSeaweed", + "Cooking Pot" + ], + [ + "3x Miner's Omelet", + "EggEggCommon Mushroom", + "Cooking Pot" + ], + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pouding Chomeur", + "FlourEggSugarBoozu's Milk", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Spiny Meringue", + "Cactus FruitCactus FruitEggLarva Egg", + "Cooking Pot" + ], + [ + "1x Warrior Elixir", + "Krimp NutCrystal PowderLarva EggWater", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "19.1%", + "quantity": "1", + "source": "Fishing/Caldera Pods" + }, + { + "chance": "12.9%", + "quantity": "1", + "source": "Fishing/Caldera" + }, + { + "chance": "12.1%", + "quantity": "1", + "source": "Fishing/Cave" + }, + { + "chance": "12.1%", + "quantity": "1", + "source": "Fishing/River (Chersonese)" + }, + { + "chance": "12.1%", + "quantity": "1", + "source": "Fishing/River (Enmerkar Forest)" + }, + { + "chance": "11.8%", + "quantity": "1", + "source": "Fishing/Beach" + }, + { + "chance": "10.2%", + "quantity": "1", + "source": "Fishing/Harmattan" + }, + { + "chance": "10.2%", + "quantity": "1", + "source": "Fishing/Harmattan Magic" + }, + { + "chance": "10.2%", + "quantity": "1", + "source": "Fishing/Swamp" + } + ], + "raw_rows": [ + [ + "Fishing/Caldera Pods", + "1", + "19.1%" + ], + [ + "Fishing/Caldera", + "1", + "12.9%" + ], + [ + "Fishing/Cave", + "1", + "12.1%" + ], + [ + "Fishing/River (Chersonese)", + "1", + "12.1%" + ], + [ + "Fishing/River (Enmerkar Forest)", + "1", + "12.1%" + ], + [ + "Fishing/Beach", + "1", + "11.8%" + ], + [ + "Fishing/Harmattan", + "1", + "10.2%" + ], + [ + "Fishing/Harmattan Magic", + "1", + "10.2%" + ], + [ + "Fishing/Swamp", + "1", + "10.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "41.4%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Pelletier Baker, Chef", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "41.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Mantis Shrimp" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Rock Mantis" + }, + { + "chance": "60.5%", + "quantity": "1 - 2", + "source": "Assassin Bug" + }, + { + "chance": "60.5%", + "quantity": "1 - 2", + "source": "Executioner Bug" + }, + { + "chance": "60%", + "quantity": "1", + "source": "Hive Lord" + }, + { + "chance": "60%", + "quantity": "1", + "source": "Tyrant of the Hive" + }, + { + "chance": "49.2%", + "quantity": "1 - 2", + "source": "Fire Beetle" + }, + { + "chance": "25%", + "quantity": "2 - 3", + "source": "Gastrocin" + }, + { + "chance": "25%", + "quantity": "2 - 3", + "source": "Volcanic Gastrocin" + }, + { + "chance": "24.7%", + "quantity": "1", + "source": "Crescent Shark" + }, + { + "chance": "22.2%", + "quantity": "1", + "source": "Mana Mantis" + }, + { + "chance": "18.2%", + "quantity": "1", + "source": "Virulent Hiveman" + }, + { + "chance": "18.2%", + "quantity": "1", + "source": "Walking Hive" + }, + { + "chance": "12.1%", + "quantity": "1", + "source": "Mantis Shrimp" + } + ], + "raw_rows": [ + [ + "Mantis Shrimp", + "1", + "100%" + ], + [ + "Rock Mantis", + "1", + "100%" + ], + [ + "Assassin Bug", + "1 - 2", + "60.5%" + ], + [ + "Executioner Bug", + "1 - 2", + "60.5%" + ], + [ + "Hive Lord", + "1", + "60%" + ], + [ + "Tyrant of the Hive", + "1", + "60%" + ], + [ + "Fire Beetle", + "1 - 2", + "49.2%" + ], + [ + "Gastrocin", + "2 - 3", + "25%" + ], + [ + "Volcanic Gastrocin", + "2 - 3", + "25%" + ], + [ + "Crescent Shark", + "1", + "24.7%" + ], + [ + "Mana Mantis", + "1", + "22.2%" + ], + [ + "Virulent Hiveman", + "1", + "18.2%" + ], + [ + "Walking Hive", + "1", + "18.2%" + ], + [ + "Mantis Shrimp", + "1", + "12.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Compromised Mana Transfer Station, Under Island", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Compromised Mana Transfer Station, Under Island" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Abandoned Living Quarters" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress" + ] + ] + } + ], + "description": "Larva Egg is a Food item in Outward." + }, + { + "name": "Lexicon", + "url": "https://outward.fandom.com/wiki/Lexicon", + "categories": [ + "Items", + "Equipment", + "Lexicons" + ], + "infobox": { + "Buy": "75", + "Class": "Lexicons", + "Durability": "∞", + "Object ID": "5100500", + "Sell": "22", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/db/Lexicon.png/revision/latest?cb=20190411070327", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+40% Physical Damage Bonus", + "enchantment": "Fechtbuch" + }, + { + "effects": "Gain +10% Decay damage bonus", + "enchantment": "Forbidden Knowledge" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + } + ], + "raw_rows": [ + [ + "Fechtbuch", + "Requires Expanded Library upgrade+40% Physical Damage Bonus" + ], + [ + "Forbidden Knowledge", + "Gain +10% Decay damage bonus" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1", + "100%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "1", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1", + "100%", + "New Sirocco" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1", + "100%", + "Berg" + ] + ] + } + ], + "description": "Lexicon is a lexicon in Outward - an item required to cast Rune Magic spells." + }, + { + "name": "Leyline Figment", + "url": "https://outward.fandom.com/wiki/Leyline_Figment", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Object ID": "6600226", + "Sell": "60", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c7/Leyline_Figment.png/revision/latest/scale-to-width-down/83?cb=20190629155236", + "recipes": [ + { + "result": "Caged Armor Helm", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Leyline Figment", + "Vendavel's Hospitality", + "Enchanted Mask" + ], + "station": "None", + "source_page": "Leyline Figment" + }, + { + "result": "Frostburn Staff", + "result_count": "1x", + "ingredients": [ + "Leyline Figment", + "Scarlet Whisper", + "Noble's Greed", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Leyline Figment" + }, + { + "result": "Ghost Reaper", + "result_count": "1x", + "ingredients": [ + "Scourge's Tears", + "Haunted Memory", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Leyline Figment" + }, + { + "result": "Kelvin's Greataxe", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Scourge's Tears", + "Leyline Figment" + ], + "station": "None", + "source_page": "Leyline Figment" + }, + { + "result": "Krypteia Armor", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Leyline Figment", + "Vendavel's Hospitality", + "Noble's Greed" + ], + "station": "None", + "source_page": "Leyline Figment" + }, + { + "result": "Mace of Seasons", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Elatt's Relic", + "Leyline Figment" + ], + "station": "None", + "source_page": "Leyline Figment" + }, + { + "result": "Pilgrim Armor", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Scourge's Tears", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Leyline Figment" + }, + { + "result": "Shock Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Calixa's Relic", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Leyline Figment" + }, + { + "result": "Shock Helmet", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Scourge's Tears", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Leyline Figment" + }, + { + "result": "Squire Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Haunted Memory", + "Leyline Figment" + ], + "station": "None", + "source_page": "Leyline Figment" + }, + { + "result": "Thermal Claymore", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Haunted Memory", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Leyline Figment" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Pearlbird's CourageLeyline FigmentVendavel's HospitalityEnchanted Mask", + "result": "1x Caged Armor Helm", + "station": "None" + }, + { + "ingredients": "Leyline FigmentScarlet WhisperNoble's GreedCalygrey's Wisdom", + "result": "1x Frostburn Staff", + "station": "None" + }, + { + "ingredients": "Scourge's TearsHaunted MemoryLeyline FigmentVendavel's Hospitality", + "result": "1x Ghost Reaper", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicScourge's TearsLeyline Figment", + "result": "1x Kelvin's Greataxe", + "station": "None" + }, + { + "ingredients": "Elatt's RelicLeyline FigmentVendavel's HospitalityNoble's Greed", + "result": "1x Krypteia Armor", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageElatt's RelicLeyline Figment", + "result": "1x Mace of Seasons", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageScourge's TearsLeyline FigmentVendavel's Hospitality", + "result": "1x Pilgrim Armor", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityCalixa's RelicLeyline FigmentVendavel's Hospitality", + "result": "1x Shock Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityScourge's TearsLeyline FigmentVendavel's Hospitality", + "result": "1x Shock Helmet", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicHaunted MemoryLeyline Figment", + "result": "1x Squire Boots", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageHaunted MemoryLeyline FigmentVendavel's Hospitality", + "result": "1x Thermal Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Caged Armor Helm", + "Pearlbird's CourageLeyline FigmentVendavel's HospitalityEnchanted Mask", + "None" + ], + [ + "1x Frostburn Staff", + "Leyline FigmentScarlet WhisperNoble's GreedCalygrey's Wisdom", + "None" + ], + [ + "1x Ghost Reaper", + "Scourge's TearsHaunted MemoryLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Kelvin's Greataxe", + "Gep's GenerosityElatt's RelicScourge's TearsLeyline Figment", + "None" + ], + [ + "1x Krypteia Armor", + "Elatt's RelicLeyline FigmentVendavel's HospitalityNoble's Greed", + "None" + ], + [ + "1x Mace of Seasons", + "Gep's GenerosityPearlbird's CourageElatt's RelicLeyline Figment", + "None" + ], + [ + "1x Pilgrim Armor", + "Pearlbird's CourageScourge's TearsLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Shock Boots", + "Gep's GenerosityCalixa's RelicLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Shock Helmet", + "Gep's GenerosityScourge's TearsLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Squire Boots", + "Gep's GenerosityElatt's RelicHaunted MemoryLeyline Figment", + "None" + ], + [ + "1x Thermal Claymore", + "Pearlbird's CourageHaunted MemoryLeyline FigmentVendavel's Hospitality", + "None" + ] + ] + } + ], + "description": "Leyline Figment is an item in Outward." + }, + { + "name": "Leyline Water", + "url": "https://outward.fandom.com/wiki/Leyline_Water", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "-", + "DLC": "The Soroboreans", + "Drink": "30%", + "Effects": "Mana Ratio Recovery 1Cures Burning", + "Object ID": "5600004", + "Perish Time": "∞", + "Type": "Food", + "Weight": "0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/09/Leyline_Water.png/revision/latest/scale-to-width-down/83?cb=20200616185527", + "effects": [ + "Restores 30% Drink", + "Player receives Mana Ratio Recovery (level 1)", + "Removes Burning", + "Removes Immolate" + ], + "effect_links": [ + "/wiki/Burning" + ], + "recipes": [ + { + "result": "Able Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot" + ], + "station": "Cooking Pot", + "source_page": "Leyline Water" + }, + { + "result": "Alertness Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Nightmare Mushroom", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Antidote", + "result_count": "1x", + "ingredients": [ + "Common Mushroom", + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Assassin Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Raw Jewel Meat", + "Firefly Powder", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Star Mushroom", + "Turmmip", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Barrier Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Bitter Spicy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Leyline Water" + }, + { + "result": "Blessed Potion", + "result_count": "3x", + "ingredients": [ + "Firefly Powder", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Bouillon du Predateur", + "result_count": "3x", + "ingredients": [ + "Predator Bones", + "Predator Bones", + "Predator Bones", + "Water" + ], + "station": "Cooking Pot", + "source_page": "Leyline Water" + }, + { + "result": "Bracing Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Clean Water", + "result_count": "1x", + "ingredients": [ + "Water" + ], + "station": "Campfire", + "source_page": "Leyline Water" + }, + { + "result": "Cool Potion", + "result_count": "3x", + "ingredients": [ + "Gravel Beetle", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Discipline Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Energizing Potion", + "result_count": "3x", + "ingredients": [ + "Leyline Water", + "Crystal Powder", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Golem Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Occult Remains", + "Blue Sand", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Greasy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Cooking Pot", + "source_page": "Leyline Water" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Manticore Tail", + "Blood Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Alpha Tuanosaur Tail", + "Star Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Great Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Common Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Great Life Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Horror Chitin", + "Krimp Nut" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Hex Cleaner", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Iced Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Funnel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Leyline Water" + }, + { + "result": "Illuminating Potion", + "result_count": "1x", + "ingredients": [ + "Leyline Water", + "Nightmare Mushroom", + "Gaberry Wine", + "Liquid Corruption" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Invigorating Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Sugar", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Gravel Beetle", + "Blood Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Mana Belly Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Pypherfish", + "Funnel Beetle", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Marathon Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Mineral Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Leyline Water" + }, + { + "result": "Mist Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Needle Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Cactus Fruit" + ], + "station": "Cooking Pot", + "source_page": "Leyline Water" + }, + { + "result": "Panacea", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Possessed Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Quartz Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Boozu's Hide", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Rage Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Smoke Root", + "Gravel Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Sanctifier Potion", + "result_count": "3x", + "ingredients": [ + "Leyline Water", + "Purifying Quartz", + "Dreamer's Root", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Shimmer Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Soothing Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Leyline Water" + }, + { + "result": "Stability Potion", + "result_count": "1x", + "ingredients": [ + "Insect Husk", + "Livweedi", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Stealth Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Woolshroom", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Stoneflesh Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle", + "Insect Husk", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Sugar", + "result_count": "1x", + "ingredients": [ + "Leyline Water" + ], + "station": "Campfire", + "source_page": "Leyline Water" + }, + { + "result": "Sulphur Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Survivor Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Crystal Powder", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Warm Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Warrior Elixir", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Crystal Powder", + "Larva Egg", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + }, + { + "result": "Weather Defense Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Leyline Water" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterAbleroot", + "result": "1x Able Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterNightmare MushroomStingleaf", + "result": "3x Alertness Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Common MushroomThick OilWater", + "result": "1x Antidote", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "result": "1x Assassin Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Star MushroomTurmmipWater", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPeach SeedsCrysocolla Beetle", + "result": "1x Barrier Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice Beetle", + "result": "1x Bitter Spicy Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "Firefly PowderWater", + "result": "3x Blessed Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Predator BonesPredator BonesPredator BonesWater", + "result": "3x Bouillon du Predateur", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterAblerootAblerootPeach Seeds", + "result": "1x Bracing Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Water", + "result": "1x Clean Water", + "station": "Campfire" + }, + { + "ingredients": "Gravel BeetleWater", + "result": "3x Cool Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleLivweedi", + "result": "3x Discipline Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Leyline WaterCrystal PowderStingleaf", + "result": "3x Energizing Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult RemainsBlue SandCrystal Powder", + "result": "1x Golem Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCrysocolla Beetle", + "result": "1x Greasy Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterManticore TailBlood Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterAlpha Tuanosaur TailStar Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Obsidian ShardCommon MushroomWater", + "result": "1x Great Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterHorror ChitinKrimp Nut", + "result": "3x Great Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernLivweediSalt", + "result": "1x Hex Cleaner", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterFunnel Beetle", + "result": "1x Iced Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "Leyline WaterNightmare MushroomGaberry WineLiquid Corruption", + "result": "1x Illuminating Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSugarDreamer's Root", + "result": "3x Invigorating Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gravel BeetleBlood MushroomWater", + "result": "1x Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPypherfishFunnel BeetleHexa Stone", + "result": "1x Mana Belly Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCrysocolla Beetle", + "result": "1x Marathon Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGravel Beetle", + "result": "1x Mineral Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterGhost's Eye", + "result": "3x Mist Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCactus Fruit", + "result": "1x Needle Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSulphuric MushroomAblerootPeach Seeds", + "result": "1x Panacea", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult Remains", + "result": "3x Possessed Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterBoozu's HideDreamer's Root", + "result": "3x Quartz Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSmoke RootGravel Beetle", + "result": "3x Rage Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Leyline WaterPurifying QuartzDreamer's RootOccult Remains", + "result": "3x Sanctifier Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "result": "1x Shimmer Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSeaweed", + "result": "1x Soothing Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "Insect HuskLivweediWater", + "result": "1x Stability Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterWoolshroomGhost's Eye", + "result": "3x Stealth Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGravel BeetleInsect HuskCrystal Powder", + "result": "1x Stoneflesh Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Leyline Water", + "result": "1x Sugar", + "station": "Campfire" + }, + { + "ingredients": "WaterSulphuric MushroomCrysocolla Beetle", + "result": "1x Sulphur Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleCrystal PowderLivweedi", + "result": "1x Survivor Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Thick OilWater", + "result": "1x Warm Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Krimp NutCrystal PowderLarva EggWater", + "result": "1x Warrior Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernCrystal Powder", + "result": "1x Weather Defense Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Able Tea", + "WaterAbleroot", + "Cooking Pot" + ], + [ + "3x Alertness Potion", + "WaterNightmare MushroomStingleaf", + "Alchemy Kit" + ], + [ + "1x Antidote", + "Common MushroomThick OilWater", + "Alchemy Kit" + ], + [ + "1x Assassin Elixir", + "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Astral Potion", + "Star MushroomTurmmipWater", + "Alchemy Kit" + ], + [ + "1x Barrier Potion", + "WaterPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Bitter Spicy Tea", + "WaterOchre Spice Beetle", + "Cooking Pot" + ], + [ + "3x Blessed Potion", + "Firefly PowderWater", + "Alchemy Kit" + ], + [ + "3x Bouillon du Predateur", + "Predator BonesPredator BonesPredator BonesWater", + "Cooking Pot" + ], + [ + "1x Bracing Potion", + "WaterAblerootAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "1x Clean Water", + "Water", + "Campfire" + ], + [ + "3x Cool Potion", + "Gravel BeetleWater", + "Alchemy Kit" + ], + [ + "3x Discipline Potion", + "WaterOchre Spice BeetleLivweedi", + "Alchemy Kit" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "3x Energizing Potion", + "Leyline WaterCrystal PowderStingleaf", + "Alchemy Kit" + ], + [ + "1x Golem Elixir", + "WaterOccult RemainsBlue SandCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Greasy Tea", + "WaterCrysocolla Beetle", + "Cooking Pot" + ], + [ + "3x Great Astral Potion", + "WaterManticore TailBlood Mushroom", + "Alchemy Kit" + ], + [ + "3x Great Astral Potion", + "WaterAlpha Tuanosaur TailStar Mushroom", + "Alchemy Kit" + ], + [ + "1x Great Endurance Potion", + "Obsidian ShardCommon MushroomWater", + "Alchemy Kit" + ], + [ + "3x Great Life Potion", + "WaterHorror ChitinKrimp Nut", + "Alchemy Kit" + ], + [ + "1x Hex Cleaner", + "WaterGreasy FernLivweediSalt", + "Alchemy Kit" + ], + [ + "1x Iced Tea", + "WaterFunnel Beetle", + "Cooking Pot" + ], + [ + "1x Illuminating Potion", + "Leyline WaterNightmare MushroomGaberry WineLiquid Corruption", + "Alchemy Kit" + ], + [ + "3x Invigorating Potion", + "WaterSugarDreamer's Root", + "Alchemy Kit" + ], + [ + "1x Life Potion", + "Gravel BeetleBlood MushroomWater", + "Alchemy Kit" + ], + [ + "1x Mana Belly Potion", + "WaterPypherfishFunnel BeetleHexa Stone", + "Alchemy Kit" + ], + [ + "1x Marathon Potion", + "WaterCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Mineral Tea", + "WaterGravel Beetle", + "Cooking Pot" + ], + [ + "3x Mist Potion", + "WaterGhost's Eye", + "Alchemy Kit" + ], + [ + "1x Needle Tea", + "WaterCactus Fruit", + "Cooking Pot" + ], + [ + "1x Panacea", + "WaterSulphuric MushroomAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "3x Possessed Potion", + "WaterOccult Remains", + "Alchemy Kit" + ], + [ + "3x Quartz Potion", + "WaterBoozu's HideDreamer's Root", + "Alchemy Kit" + ], + [ + "3x Rage Potion", + "WaterSmoke RootGravel Beetle", + "Alchemy Kit" + ], + [ + "3x Sanctifier Potion", + "Leyline WaterPurifying QuartzDreamer's RootOccult Remains", + "Alchemy Kit" + ], + [ + "1x Shimmer Potion", + "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Soothing Tea", + "WaterSeaweed", + "Cooking Pot" + ], + [ + "1x Stability Potion", + "Insect HuskLivweediWater", + "Alchemy Kit" + ], + [ + "3x Stealth Potion", + "WaterWoolshroomGhost's Eye", + "Alchemy Kit" + ], + [ + "1x Stoneflesh Elixir", + "WaterGravel BeetleInsect HuskCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Sugar", + "Leyline Water", + "Campfire" + ], + [ + "1x Sulphur Potion", + "WaterSulphuric MushroomCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Survivor Elixir", + "WaterOchre Spice BeetleCrystal PowderLivweedi", + "Alchemy Kit" + ], + [ + "1x Warm Potion", + "Thick OilWater", + "Alchemy Kit" + ], + [ + "1x Warrior Elixir", + "Krimp NutCrystal PowderLarva EggWater", + "Alchemy Kit" + ], + [ + "1x Weather Defense Potion", + "WaterGreasy FernCrystal Powder", + "Alchemy Kit" + ] + ] + } + ], + "description": "Leyline Water is an Item in Outward." + }, + { + "name": "Life Potion", + "url": "https://outward.fandom.com/wiki/Life_Potion", + "categories": [ + "Items", + "Consumables", + "Consumable", + "Potions" + ], + "infobox": { + "Buy": "25", + "Drink": "9%", + "Effects": "Restores 50 Health", + "Object ID": "4300010", + "Perish Time": "∞", + "Sell": "8", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a8/Life_Potion.png/revision/latest?cb=20190410153736", + "effects": [ + "Restores 50 Health", + "Restores 90 Drink" + ], + "recipes": [ + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Gravel Beetle", + "Blood Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Life Potion" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Coralhorn Antler", + "Woolshroom" + ], + "station": "Alchemy Kit", + "source_page": "Life Potion" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Phytosaur Horn", + "Marshmelon" + ], + "station": "Alchemy Kit", + "source_page": "Life Potion" + }, + { + "result": "Great Life Potion", + "result_count": "1x", + "ingredients": [ + "Life Potion", + "Greasy Fern" + ], + "station": "Alchemy Kit", + "source_page": "Life Potion" + }, + { + "result": "Horror's Potion", + "result_count": "1x", + "ingredients": [ + "Life Potion", + "Seaweed", + "Rancid Water", + "Liquid Corruption" + ], + "station": "Alchemy Kit", + "source_page": "Life Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gravel Beetle Blood Mushroom Water", + "result": "1x Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Coralhorn Antler Woolshroom", + "result": "1x Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Phytosaur Horn Marshmelon", + "result": "1x Life Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Life Potion", + "Gravel Beetle Blood Mushroom Water", + "Alchemy Kit" + ], + [ + "1x Life Potion", + "Coralhorn Antler Woolshroom", + "Alchemy Kit" + ], + [ + "1x Life Potion", + "Phytosaur Horn Marshmelon", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Life PotionGreasy Fern", + "result": "1x Great Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Life PotionSeaweedRancid WaterLiquid Corruption", + "result": "1x Horror's Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Great Life Potion", + "Life PotionGreasy Fern", + "Alchemy Kit" + ], + [ + "1x Horror's Potion", + "Life PotionSeaweedRancid WaterLiquid Corruption", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1 - 2", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "2 - 3", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1 - 2", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 6", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Silkworm's Refuge", + "quantity": "2 - 3", + "source": "Silver Tooth" + }, + { + "chance": "100%", + "locations": "Abrassar", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Caldera", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Chersonese", + "quantity": "1", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1 - 2", + "100%", + "Hermit's House" + ], + [ + "Apprentice Ritualist", + "2 - 3", + "100%", + "Ritualist's hut" + ], + [ + "Fourth Watcher", + "1 - 2", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1 - 5", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "1 - 5", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "3 - 6", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 5", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 5", + "100%", + "Harmattan" + ], + [ + "Silver Tooth", + "2 - 3", + "100%", + "Silkworm's Refuge" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Chersonese" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "2", + "source": "Crock" + }, + { + "chance": "51.8%", + "quantity": "1 - 4", + "source": "Ash Giant" + }, + { + "chance": "45.3%", + "quantity": "1 - 3", + "source": "Wolfgang Veteran" + }, + { + "chance": "42.8%", + "quantity": "1 - 3", + "source": "Wolfgang Captain" + }, + { + "chance": "37.3%", + "quantity": "1 - 5", + "source": "Kazite Admiral" + }, + { + "chance": "35.1%", + "quantity": "1 - 5", + "source": "The Last Acolyte" + }, + { + "chance": "34.9%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "33.8%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + }, + { + "chance": "32%", + "quantity": "1 - 3", + "source": "Wolfgang Veteran" + }, + { + "chance": "31.9%", + "quantity": "1 - 4", + "source": "Bonded Beastmaster" + }, + { + "chance": "30.1%", + "quantity": "1 - 3", + "source": "Wolfgang Captain" + }, + { + "chance": "29.8%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + }, + { + "chance": "29.8%", + "quantity": "1 - 5", + "source": "Desert Captain" + }, + { + "chance": "28.4%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Greater Grotesque" + } + ], + "raw_rows": [ + [ + "Crock", + "2", + "100%" + ], + [ + "Ash Giant", + "1 - 4", + "51.8%" + ], + [ + "Wolfgang Veteran", + "1 - 3", + "45.3%" + ], + [ + "Wolfgang Captain", + "1 - 3", + "42.8%" + ], + [ + "Kazite Admiral", + "1 - 5", + "37.3%" + ], + [ + "The Last Acolyte", + "1 - 5", + "35.1%" + ], + [ + "Marsh Captain", + "1 - 4", + "34.9%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "33.8%" + ], + [ + "Wolfgang Veteran", + "1 - 3", + "32%" + ], + [ + "Bonded Beastmaster", + "1 - 4", + "31.9%" + ], + [ + "Wolfgang Captain", + "1 - 3", + "30.1%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "29.8%" + ], + [ + "Desert Captain", + "1 - 5", + "29.8%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "28.4%" + ], + [ + "Greater Grotesque", + "1 - 3", + "28.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Life Potion is a potion item in Outward." + }, + { + "name": "Light Clothes Set", + "url": "https://outward.fandom.com/wiki/Light_Clothes_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "55", + "Damage Resist": "4%", + "Durability": "300", + "Hot Weather Def.": "21", + "Impact Resist": "5%", + "Object ID": "3000170 (Chest)3000174 (Legs)", + "Sell": "17", + "Slot": "Set", + "Weight": "4.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "15", + "durability": "150", + "name": "Blue Light Clothes", + "resistances": "2%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "15", + "durability": "150", + "name": "Pale Light Clothes", + "resistances": "2%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "15", + "durability": "150", + "name": "Red Light Clothes", + "resistances": "2%", + "weight": "3.0" + }, + { + "class": "Boots", + "column_4": "2%", + "column_5": "6", + "durability": "150", + "name": "Sandals", + "resistances": "2%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Blue Light Clothes", + "2%", + "3%", + "15", + "150", + "3.0", + "Body Armor" + ], + [ + "", + "Pale Light Clothes", + "2%", + "3%", + "15", + "150", + "3.0", + "Body Armor" + ], + [ + "", + "Red Light Clothes", + "2%", + "3%", + "15", + "150", + "3.0", + "Body Armor" + ], + [ + "", + "Sandals", + "2%", + "2%", + "6", + "150", + "1.0", + "Boots" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "15", + "durability": "150", + "name": "Blue Light Clothes", + "resistances": "2%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "15", + "durability": "150", + "name": "Pale Light Clothes", + "resistances": "2%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "15", + "durability": "150", + "name": "Red Light Clothes", + "resistances": "2%", + "weight": "3.0" + }, + { + "class": "Boots", + "column_4": "2%", + "column_5": "6", + "durability": "150", + "name": "Sandals", + "resistances": "2%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Blue Light Clothes", + "2%", + "3%", + "15", + "150", + "3.0", + "Body Armor" + ], + [ + "", + "Pale Light Clothes", + "2%", + "3%", + "15", + "150", + "3.0", + "Body Armor" + ], + [ + "", + "Red Light Clothes", + "2%", + "3%", + "15", + "150", + "3.0", + "Body Armor" + ], + [ + "", + "Sandals", + "2%", + "2%", + "6", + "150", + "1.0", + "Boots" + ] + ] + } + ], + "description": "Light Clothes Set is a Armor Set in Outward. There are several color variants for each piece, though they all have the same stats." + }, + { + "name": "Light Kazite Shirt", + "url": "https://outward.fandom.com/wiki/Light_Kazite_Shirt", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "275", + "Cooldown Reduction": "4%", + "DLC": "The Soroboreans", + "Damage Resist": "16%", + "Durability": "240", + "Hot Weather Def.": "10", + "Impact Resist": "12%", + "Item Set": "Kazite Light Set", + "Object ID": "3100246", + "Sell": "83", + "Slot": "Chest", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/30/Light_Kazite_Shirt.png/revision/latest/scale-to-width-down/83?cb=20200616185528", + "recipes": [ + { + "result": "Light Kazite Shirt", + "result_count": "1x", + "ingredients": [ + "Kazite Light Armor" + ], + "station": "Decrafting", + "source_page": "Light Kazite Shirt" + }, + { + "result": "Kazite Light Armor", + "result_count": "1x", + "ingredients": [ + "Light Kazite Shirt", + "Linen Cloth" + ], + "station": "None", + "source_page": "Light Kazite Shirt" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Kazite Light Armor", + "result": "1x Light Kazite Shirt", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Light Kazite Shirt", + "Kazite Light Armor", + "Decrafting" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Light Kazite ShirtLinen Cloth", + "result": "1x Kazite Light Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Kazite Light Armor", + "Light Kazite ShirtLinen Cloth", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Light Kazite Shirt is a type of Equipment in Outward." + }, + { + "name": "Light Mender's Backpack", + "url": "https://outward.fandom.com/wiki/Light_Mender%27s_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "200", + "Capacity": "75", + "Class": "Backpacks", + "Damage Bonus": "10%", + "Durability": "∞", + "Effects": "Acts as a faint light source", + "Inventory Protection": "2", + "Item Set": "Gold-Lich Set", + "Object ID": "5300170", + "Preservation Amount": "25%", + "Sell": "60", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e4/Light_Mender%27s_Backpack.png/revision/latest?cb=20190411000339", + "effects": [ + "This bag acts as a faint light source", + "Increase Lightning damage by 10%.", + "Slows down the decay of perishable items by 25%.", + "Provides a small amount of protection to the Durability of items in the Backpack when hit by enemies" + ], + "description": "Light Mender's Backpack is a unique backpack found in Outward." + }, + { + "name": "Light Mender's Lexicon", + "url": "https://outward.fandom.com/wiki/Light_Mender%27s_Lexicon", + "categories": [ + "Items", + "Equipment", + "Lexicons" + ], + "infobox": { + "Buy": "1000", + "Class": "Lexicons", + "Damage Bonus": "5% 5%", + "Durability": "∞", + "Item Set": "Gold-Lich Set", + "Mana Cost": "-5%", + "Object ID": "5100510", + "Sell": "300", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bd/Light_Mender%27s_Lexicon.png/revision/latest?cb=20190407073104", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+40% Physical Damage Bonus", + "enchantment": "Fechtbuch" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + } + ], + "raw_rows": [ + [ + "Fechtbuch", + "Requires Expanded Library upgrade+40% Physical Damage Bonus" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ] + ] + } + ], + "description": "Light Mender's Lexicon is a unique lexicon in Outward." + }, + { + "name": "Lightning Totemic Lodge", + "url": "https://outward.fandom.com/wiki/Lightning_Totemic_Lodge", + "categories": [ + "DLC: The Three Brothers", + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "220", + "Class": "Deployable", + "DLC": "The Three Brothers", + "Duration": "2400 seconds (40 minutes)", + "Effects": "-15% Stamina costs+10% Lightning damage bonus-35% Decay resistance", + "Object ID": "5000224", + "Sell": "66", + "Type": "Sleep", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/ff/Lightning_Totemic_Lodge.png/revision/latest/scale-to-width-down/83?cb=20201220075033", + "effects": [ + "-15% Stamina costs", + "+10% Lightning damage bonus", + "-35% Decay resistance" + ], + "recipes": [ + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Lightning Totemic Lodge" + }, + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Lightning Totemic Lodge" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Lightning Totemic Lodge" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Lightning Totemic Lodge" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Lightning Totemic Lodge" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Lightning Totemic Lodge" + } + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "-15% Stamina costs+10% Lightning damage bonus-35% Decay resistance", + "name": "Sleep: Lightning Totemic Lodge" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Lightning Totemic Lodge", + "2400 seconds (40 minutes)", + "-15% Stamina costs+10% Lightning damage bonus-35% Decay resistance" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced Tent Palladium Scrap Calygrey Hairs Predator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Lightning Totemic Lodge", + "Advanced Tent Palladium Scrap Calygrey Hairs Predator Bones", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ] + ] + } + ], + "description": "Lightning Totemic Lodge is an Item in Outward." + }, + { + "name": "Lightweight Alchemy Kit", + "url": "https://outward.fandom.com/wiki/Lightweight_Alchemy_Kit", + "categories": [ + "DLC: The Three Brothers", + "Deployable", + "Crafting Station", + "Items" + ], + "infobox": { + "Buy": "600", + "Class": "Deployable", + "DLC": "The Three Brothers", + "Object ID": "5010205", + "Sell": "180", + "Type": "Crafting Station", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7a/Lightweight_Alchemy_Kit.png/revision/latest/scale-to-width-down/83?cb=20201220075034", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Patrick Arago, General Store", + "1", + "0.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "0.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "0.2%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "0.2%", + "Caldera" + ] + ] + } + ], + "description": "Lightweight Alchemy Kit is an Item in Outward." + }, + { + "name": "Lightweight Cooking Pot", + "url": "https://outward.fandom.com/wiki/Lightweight_Cooking_Pot", + "categories": [ + "DLC: The Three Brothers", + "Deployable", + "Crafting Station", + "Items" + ], + "infobox": { + "Buy": "600", + "Class": "Deployable", + "DLC": "The Three Brothers", + "Object ID": "5010105", + "Sell": "180", + "Type": "Crafting Station", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/59/Lightweight_Cooking_Pot.png/revision/latest/scale-to-width-down/83?cb=20201220075036", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Patrick Arago, General Store", + "1", + "0.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "0.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "0.2%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "0.2%", + "Caldera" + ] + ] + } + ], + "description": "Lightweight Cooking Pot is an Item in Outward. Can be used for Cooking." + }, + { + "name": "Linen Cloth", + "url": "https://outward.fandom.com/wiki/Linen_Cloth", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "1", + "Object ID": "6500090", + "Sell": "0", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d3/Linen_Cloth.png/revision/latest?cb=20190417061209", + "recipes": [ + { + "result": "Bandages", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Bolt Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Larva Egg" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Cloth Knuckles", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Linen Cloth", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Fang Axe", + "result_count": "1x", + "ingredients": [ + "Iron Axe", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Fang Club", + "result_count": "1x", + "ingredients": [ + "Iron Mace", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Fang Greataxe", + "result_count": "1x", + "ingredients": [ + "Iron Greataxe", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Fang Greatclub", + "result_count": "1x", + "ingredients": [ + "Iron Greathammer", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Fang Greatsword", + "result_count": "1x", + "ingredients": [ + "Iron Claymore", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Fang Halberd", + "result_count": "1x", + "ingredients": [ + "Iron Halberd", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Fang Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Fang Sword", + "result_count": "1x", + "ingredients": [ + "Iron Sword", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Fang Trident", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Fire Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Thick Oil" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Ice Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Seaweed" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Kazite Light Armor", + "result_count": "1x", + "ingredients": [ + "Light Kazite Shirt", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Makeshift Torch", + "result_count": "1x", + "ingredients": [ + "Wood", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Old Lantern", + "result_count": "1x", + "ingredients": [ + "Iron Scrap", + "Iron Scrap", + "Thick Oil", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Plank Shield", + "result_count": "1x", + "ingredients": [ + "Wood", + "Linen Cloth", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Poison Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Grilled Crabeye Seed" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Primitive Satchel", + "result_count": "1x", + "ingredients": [ + "Hide", + "Hide", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Quarterstaff", + "result_count": "1x", + "ingredients": [ + "Wood", + "Wood", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Shadow Kazite Light Armor", + "result_count": "1x", + "ingredients": [ + "Shadow Light Kazite Shirt", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Shiv Dagger", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Iron Scrap" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Tripwire Trap", + "result_count": "2x", + "ingredients": [ + "Iron Scrap", + "Iron Scrap", + "Wood", + "Linen Cloth" + ], + "station": "None", + "source_page": "Linen Cloth" + }, + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Linen Cloth" + }, + { + "result": "Linen Cloth", + "result_count": "2x", + "ingredients": [ + "Decraft: Cloth (Large)" + ], + "station": "Decrafting", + "source_page": "Linen Cloth" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Linen Cloth" + }, + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Kazite Light Armor" + ], + "station": "Decrafting", + "source_page": "Linen Cloth" + }, + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Shadow Kazite Light Armor" + ], + "station": "Decrafting", + "source_page": "Linen Cloth" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Linen ClothLinen Cloth", + "result": "1x Bandages", + "station": "None" + }, + { + "ingredients": "Linen ClothLarva Egg", + "result": "1x Bolt Rag", + "station": "None" + }, + { + "ingredients": "Linen ClothLinen ClothLinen Cloth", + "result": "1x Cloth Knuckles", + "station": "None" + }, + { + "ingredients": "Iron AxePredator BonesLinen Cloth", + "result": "1x Fang Axe", + "station": "None" + }, + { + "ingredients": "Iron MacePredator BonesLinen Cloth", + "result": "1x Fang Club", + "station": "None" + }, + { + "ingredients": "Iron GreataxePredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Greataxe", + "station": "None" + }, + { + "ingredients": "Iron GreathammerPredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Greatclub", + "station": "None" + }, + { + "ingredients": "Iron ClaymorePredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Greatsword", + "station": "None" + }, + { + "ingredients": "Iron HalberdPredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Halberd", + "station": "None" + }, + { + "ingredients": "Round ShieldPredator BonesLinen Cloth", + "result": "1x Fang Shield", + "station": "None" + }, + { + "ingredients": "Iron SwordPredator BonesLinen Cloth", + "result": "1x Fang Sword", + "station": "None" + }, + { + "ingredients": "Iron SpearPredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Trident", + "station": "None" + }, + { + "ingredients": "Linen ClothThick Oil", + "result": "1x Fire Rag", + "station": "None" + }, + { + "ingredients": "Linen ClothSeaweed", + "result": "1x Ice Rag", + "station": "None" + }, + { + "ingredients": "Light Kazite ShirtLinen Cloth", + "result": "1x Kazite Light Armor", + "station": "None" + }, + { + "ingredients": "WoodLinen Cloth", + "result": "1x Makeshift Torch", + "station": "None" + }, + { + "ingredients": "Iron ScrapIron ScrapThick OilLinen Cloth", + "result": "1x Old Lantern", + "station": "None" + }, + { + "ingredients": "WoodLinen ClothLinen Cloth", + "result": "1x Plank Shield", + "station": "None" + }, + { + "ingredients": "Linen ClothGrilled Crabeye Seed", + "result": "1x Poison Rag", + "station": "None" + }, + { + "ingredients": "HideHideLinen Cloth", + "result": "1x Primitive Satchel", + "station": "None" + }, + { + "ingredients": "WoodWoodLinen Cloth", + "result": "1x Quarterstaff", + "station": "None" + }, + { + "ingredients": "Shadow Light Kazite ShirtLinen Cloth", + "result": "1x Shadow Kazite Light Armor", + "station": "None" + }, + { + "ingredients": "Linen ClothIron Scrap", + "result": "1x Shiv Dagger", + "station": "None" + }, + { + "ingredients": "Iron ScrapIron ScrapWoodLinen Cloth", + "result": "2x Tripwire Trap", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Bandages", + "Linen ClothLinen Cloth", + "None" + ], + [ + "1x Bolt Rag", + "Linen ClothLarva Egg", + "None" + ], + [ + "1x Cloth Knuckles", + "Linen ClothLinen ClothLinen Cloth", + "None" + ], + [ + "1x Fang Axe", + "Iron AxePredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Club", + "Iron MacePredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Greataxe", + "Iron GreataxePredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Greatclub", + "Iron GreathammerPredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Greatsword", + "Iron ClaymorePredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Halberd", + "Iron HalberdPredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Shield", + "Round ShieldPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Sword", + "Iron SwordPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Trident", + "Iron SpearPredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fire Rag", + "Linen ClothThick Oil", + "None" + ], + [ + "1x Ice Rag", + "Linen ClothSeaweed", + "None" + ], + [ + "1x Kazite Light Armor", + "Light Kazite ShirtLinen Cloth", + "None" + ], + [ + "1x Makeshift Torch", + "WoodLinen Cloth", + "None" + ], + [ + "1x Old Lantern", + "Iron ScrapIron ScrapThick OilLinen Cloth", + "None" + ], + [ + "1x Plank Shield", + "WoodLinen ClothLinen Cloth", + "None" + ], + [ + "1x Poison Rag", + "Linen ClothGrilled Crabeye Seed", + "None" + ], + [ + "1x Primitive Satchel", + "HideHideLinen Cloth", + "None" + ], + [ + "1x Quarterstaff", + "WoodWoodLinen Cloth", + "None" + ], + [ + "1x Shadow Kazite Light Armor", + "Shadow Light Kazite ShirtLinen Cloth", + "None" + ], + [ + "1x Shiv Dagger", + "Linen ClothIron Scrap", + "None" + ], + [ + "2x Tripwire Trap", + "Iron ScrapIron ScrapWoodLinen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Used in / Decrafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Decraft: Cloth (Large)", + "result": "2x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Kazite Light Armor", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Shadow Kazite Light Armor", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "2x Linen Cloth", + "Decraft: Cloth (Large)", + "Decrafting" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Linen Cloth", + "Kazite Light Armor", + "Decrafting" + ], + [ + "1x Linen Cloth", + "Shadow Kazite Light Armor", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1 - 3", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 6", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1 - 3", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2 - 6", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1 - 3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 6", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3 - 5", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1 - 3", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1 - 3", + "source": "Vay the Alchemist" + }, + { + "chance": "100%", + "locations": "Vendavel Fortress", + "quantity": "1 - 3", + "source": "Vendavel Prisoner" + }, + { + "chance": "37.9%", + "locations": "New Sirocco", + "quantity": "1 - 12", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "1 - 12", + "source": "Vay the Alchemist" + }, + { + "chance": "22.1%", + "locations": "Cierzo", + "quantity": "2 - 6", + "source": "Helmi the Alchemist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1 - 3", + "100%", + "Hermit's House" + ], + [ + "Felix Jimson, Shopkeeper", + "3 - 6", + "100%", + "Harmattan" + ], + [ + "Fourth Watcher", + "1 - 3", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "2 - 6", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "1 - 3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 3", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "6", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 6", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "3 - 5", + "100%", + "Cierzo" + ], + [ + "Tuan the Alchemist", + "1 - 3", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1 - 3", + "100%", + "Berg" + ], + [ + "Vendavel Prisoner", + "1 - 3", + "100%", + "Vendavel Fortress" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 12", + "37.9%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "1 - 12", + "33%", + "Berg" + ], + [ + "Helmi the Alchemist", + "2 - 6", + "22.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "42.7%", + "quantity": "1 - 12", + "source": "Marsh Archer" + }, + { + "chance": "35.9%", + "quantity": "1 - 9", + "source": "Bandit Defender" + }, + { + "chance": "35.9%", + "quantity": "1 - 9", + "source": "Bandit Lieutenant" + }, + { + "chance": "35.9%", + "quantity": "1 - 9", + "source": "Roland Argenson" + }, + { + "chance": "34.3%", + "quantity": "1 - 9", + "source": "Bandit Lieutenant" + }, + { + "chance": "33.8%", + "quantity": "1 - 6", + "source": "Bandit" + }, + { + "chance": "33.8%", + "quantity": "1 - 6", + "source": "Bandit Slave" + }, + { + "chance": "33.8%", + "quantity": "1 - 6", + "source": "Baron Montgomery" + }, + { + "chance": "33.8%", + "quantity": "1 - 6", + "source": "Crock" + }, + { + "chance": "33.8%", + "quantity": "1 - 6", + "source": "Dawne" + }, + { + "chance": "33.8%", + "quantity": "1 - 6", + "source": "Rospa Akiyuki" + }, + { + "chance": "33.8%", + "quantity": "1 - 6", + "source": "The Crusher" + }, + { + "chance": "33.8%", + "quantity": "1 - 6", + "source": "The Last Acolyte" + }, + { + "chance": "33.8%", + "quantity": "1 - 6", + "source": "Vendavel Bandit" + }, + { + "chance": "33.8%", + "quantity": "1 - 6", + "source": "Yzan Argenson" + } + ], + "raw_rows": [ + [ + "Marsh Archer", + "1 - 12", + "42.7%" + ], + [ + "Bandit Defender", + "1 - 9", + "35.9%" + ], + [ + "Bandit Lieutenant", + "1 - 9", + "35.9%" + ], + [ + "Roland Argenson", + "1 - 9", + "35.9%" + ], + [ + "Bandit Lieutenant", + "1 - 9", + "34.3%" + ], + [ + "Bandit", + "1 - 6", + "33.8%" + ], + [ + "Bandit Slave", + "1 - 6", + "33.8%" + ], + [ + "Baron Montgomery", + "1 - 6", + "33.8%" + ], + [ + "Crock", + "1 - 6", + "33.8%" + ], + [ + "Dawne", + "1 - 6", + "33.8%" + ], + [ + "Rospa Akiyuki", + "1 - 6", + "33.8%" + ], + [ + "The Crusher", + "1 - 6", + "33.8%" + ], + [ + "The Last Acolyte", + "1 - 6", + "33.8%" + ], + [ + "Vendavel Bandit", + "1 - 6", + "33.8%" + ], + [ + "Yzan Argenson", + "1 - 6", + "33.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "13.7%", + "locations": "Hallowed Marsh", + "quantity": "1 - 3", + "source": "Broken Tent" + }, + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 6", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 6", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 6", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 8", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 8", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 8", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 8", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 8", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 8", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Broken Tent", + "1 - 3", + "13.7%", + "Hallowed Marsh" + ], + [ + "Junk Pile", + "1 - 6", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 6", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 6", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 8", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 8", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 8", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 8", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 8", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 8", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ] + ] + } + ], + "description": "Linen cloth is a crafting component in Outward, used in many recipes." + }, + { + "name": "Liquid Corruption", + "url": "https://outward.fandom.com/wiki/Liquid_Corruption", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "30", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6000160", + "Sell": "9", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c5/Liquid_Corruption.png/revision/latest/scale-to-width-down/83?cb=20200616185530", + "recipes": [ + { + "result": "Horror's Potion", + "result_count": "1x", + "ingredients": [ + "Life Potion", + "Seaweed", + "Rancid Water", + "Liquid Corruption" + ], + "station": "Alchemy Kit", + "source_page": "Liquid Corruption" + }, + { + "result": "Illuminating Potion", + "result_count": "1x", + "ingredients": [ + "Leyline Water", + "Nightmare Mushroom", + "Gaberry Wine", + "Liquid Corruption" + ], + "station": "Alchemy Kit", + "source_page": "Liquid Corruption" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Life PotionSeaweedRancid WaterLiquid Corruption", + "result": "1x Horror's Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Leyline WaterNightmare MushroomGaberry WineLiquid Corruption", + "result": "1x Illuminating Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Horror's Potion", + "Life PotionSeaweedRancid WaterLiquid Corruption", + "Alchemy Kit" + ], + [ + "1x Illuminating Potion", + "Leyline WaterNightmare MushroomGaberry WineLiquid Corruption", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "67.2%", + "quantity": "1 - 5", + "source": "Sublime Shell" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Arcane Elemental (Decay)" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Boozu" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Greater Grotesque" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Grotesque" + } + ], + "raw_rows": [ + [ + "Sublime Shell", + "1 - 5", + "67.2%" + ], + [ + "Arcane Elemental (Decay)", + "1", + "50%" + ], + [ + "Boozu", + "1", + "33.3%" + ], + [ + "Greater Grotesque", + "1 - 3", + "28.4%" + ], + [ + "Grotesque", + "1 - 3", + "28.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2.8%", + "locations": "Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ark of the Exiled", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "2.8%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "1 - 2", + "2.8%", + "Ark of the Exiled" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "2.8%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "1 - 2", + "2.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "2.8%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Liquid Corruption is an Item in Outward." + }, + { + "name": "Living Wood Axe", + "url": "https://outward.fandom.com/wiki/Living_Wood_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "200", + "Class": "Axes", + "Damage": "12.5 12.5", + "Durability": "175", + "Impact": "20", + "Mana Cost": "-10%", + "Object ID": "2010020", + "Sell": "60", + "Stamina Cost": "2.8", + "Type": "One-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f9/Living_Wood_Axe.png/revision/latest?cb=20190412200909", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "2.8", + "damage": "12.5 12.5", + "description": "Two slashing strikes, right to left", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "3.36", + "damage": "16.25 16.25", + "description": "Fast, triple-attack strike", + "impact": "26", + "input": "Special" + }, + { + "attacks": "2", + "cost": "3.36", + "damage": "16.25 16.25", + "description": "Quick double strike", + "impact": "26", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "3.36", + "damage": "16.25 16.25", + "description": "Wide-sweeping double strike", + "impact": "26", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "12.5 12.5", + "20", + "2.8", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "16.25 16.25", + "26", + "3.36", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "16.25 16.25", + "26", + "3.36", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "16.25 16.25", + "26", + "3.36", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Dolmen Crypt", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "5.3%", + "locations": "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.3%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Dolmen Crypt" + ], + [ + "Chest", + "1", + "5.9%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Ancestor's Resting Place" + ], + [ + "Stash", + "1", + "5.9%", + "Berg" + ], + [ + "Chest", + "1", + "5.3%", + "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon" + ], + [ + "Hollowed Trunk", + "1", + "5.3%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.3%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Living Wood Axe is a One-handed Axe in Outward." + }, + { + "name": "Livweedi", + "url": "https://outward.fandom.com/wiki/Livweedi", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "22", + "Object ID": "6000030", + "Sell": "7", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/48/Livweedi.png/revision/latest/scale-to-width-down/83?cb=20190411235810", + "recipes": [ + { + "result": "Charge – Nerve Gas", + "result_count": "3x", + "ingredients": [ + "Blood Mushroom", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Livweedi" + }, + { + "result": "Discipline Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Livweedi" + }, + { + "result": "Hex Cleaner", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Livweedi" + }, + { + "result": "Ice Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Livweedi", + "Cold Stone" + ], + "station": "Alchemy Kit", + "source_page": "Livweedi" + }, + { + "result": "Stability Potion", + "result_count": "1x", + "ingredients": [ + "Insect Husk", + "Livweedi", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Livweedi" + }, + { + "result": "Survivor Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Crystal Powder", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Livweedi" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Blood MushroomLivweediSalt", + "result": "3x Charge – Nerve Gas", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleLivweedi", + "result": "3x Discipline Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernLivweediSalt", + "result": "1x Hex Cleaner", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineLivweediCold Stone", + "result": "1x Ice Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Insect HuskLivweediWater", + "result": "1x Stability Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleCrystal PowderLivweedi", + "result": "1x Survivor Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Charge – Nerve Gas", + "Blood MushroomLivweediSalt", + "Alchemy Kit" + ], + [ + "3x Discipline Potion", + "WaterOchre Spice BeetleLivweedi", + "Alchemy Kit" + ], + [ + "1x Hex Cleaner", + "WaterGreasy FernLivweediSalt", + "Alchemy Kit" + ], + [ + "1x Ice Varnish", + "Gaberry WineLivweediCold Stone", + "Alchemy Kit" + ], + [ + "1x Stability Potion", + "Insect HuskLivweediWater", + "Alchemy Kit" + ], + [ + "1x Survivor Elixir", + "WaterOchre Spice BeetleCrystal PowderLivweedi", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Livweedi (Gatherable)" + } + ], + "raw_rows": [ + [ + "Livweedi (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "75.1%", + "locations": "Berg", + "quantity": "1 - 20", + "source": "Soroborean Caravanner" + }, + { + "chance": "48%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.8%", + "locations": "Levant", + "quantity": "2", + "source": "Tuan the Alchemist" + }, + { + "chance": "17.5%", + "locations": "Harmattan", + "quantity": "2 - 9", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 20", + "75.1%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "48%", + "Monsoon" + ], + [ + "Tuan the Alchemist", + "2", + "33.8%", + "Levant" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 9", + "17.5%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "37.6%", + "quantity": "2 - 4", + "source": "Phytoflora" + } + ], + "raw_rows": [ + [ + "Phytoflora", + "2 - 4", + "37.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 4", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path", + "quantity": "1 - 4", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 4", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 4", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "14.8%", + "Ark of the Exiled, Forest Hives" + ], + [ + "Soldier's Corpse", + "1 - 4", + "14.8%", + "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "Livweedi is an item in Outward commonly used in Alchemy." + }, + { + "name": "Loading Docks Elevator Key", + "url": "https://outward.fandom.com/wiki/Loading_Docks_Elevator_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600110", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5c/Loading_Docks_Elevator_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155327", + "description": "Loading Docks Elevator Key is an Item in Outward." + }, + { + "name": "Loading Docks Key", + "url": "https://outward.fandom.com/wiki/Loading_Docks_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600111", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4f/Loading_Docks_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155325", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Sword Golem" + } + ], + "raw_rows": [ + [ + "Sword Golem", + "1", + "100%" + ] + ] + } + ], + "description": "Loading Docks Key is an Item in Outward." + }, + { + "name": "Long Handle", + "url": "https://outward.fandom.com/wiki/Long_Handle", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "45", + "DLC": "The Three Brothers", + "Object ID": "6000470", + "Sell": "14", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7b/Long_Handle.png/revision/latest/scale-to-width-down/83?cb=20201220075037", + "recipes": [ + { + "result": "Astral Claymore", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Long Handle" + }, + { + "result": "Astral Greataxe", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Long Handle" + }, + { + "result": "Astral Greatmace", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Long Handle" + }, + { + "result": "Astral Staff", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Long Handle", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Long Handle" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Long HandleBlade PrismWaning Tentacle", + "result": "1x Astral Claymore", + "station": "None" + }, + { + "ingredients": "Long HandleFlat PrismWaning Tentacle", + "result": "1x Astral Greataxe", + "station": "None" + }, + { + "ingredients": "Long HandleBlunt PrismWaning Tentacle", + "result": "1x Astral Greatmace", + "station": "None" + }, + { + "ingredients": "Shaft HandleLong HandleWaning Tentacle", + "result": "1x Astral Staff", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Claymore", + "Long HandleBlade PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Greataxe", + "Long HandleFlat PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Greatmace", + "Long HandleBlunt PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Staff", + "Shaft HandleLong HandleWaning Tentacle", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "9.5%", + "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Long Handle is an Item in Outward." + }, + { + "name": "Looter Armor", + "url": "https://outward.fandom.com/wiki/Looter_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "17", + "Cold Weather Def.": "10", + "Damage Resist": "6%", + "Durability": "120", + "Impact Resist": "11%", + "Item Set": "Looter Set", + "Object ID": "3000038", + "Sell": "5", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a8/Looter_Armor.png/revision/latest?cb=20190415121322", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Looter Armor" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Looter Armor" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Looter Armor" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Looter Armor" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Looter Armor" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Looter Armor" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Looter Armor" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Looter Armor" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Looter Armor" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.8%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "22.8%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Bandit" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Bandit Slave" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Baron Montgomery" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Crock" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Dawne" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Rospa Akiyuki" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "The Crusher" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "The Last Acolyte" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Vendavel Bandit" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Yzan Argenson" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Zagis" + }, + { + "chance": "3.4%", + "quantity": "1 - 2", + "source": "Bandit Archer" + }, + { + "chance": "3.4%", + "quantity": "1 - 2", + "source": "Vendavel Archer" + } + ], + "raw_rows": [ + [ + "Bandit", + "1 - 2", + "3.7%" + ], + [ + "Bandit Slave", + "1 - 2", + "3.7%" + ], + [ + "Baron Montgomery", + "1 - 2", + "3.7%" + ], + [ + "Crock", + "1 - 2", + "3.7%" + ], + [ + "Dawne", + "1 - 2", + "3.7%" + ], + [ + "Rospa Akiyuki", + "1 - 2", + "3.7%" + ], + [ + "The Crusher", + "1 - 2", + "3.7%" + ], + [ + "The Last Acolyte", + "1 - 2", + "3.7%" + ], + [ + "Vendavel Bandit", + "1 - 2", + "3.7%" + ], + [ + "Yzan Argenson", + "1 - 2", + "3.7%" + ], + [ + "Zagis", + "1 - 2", + "3.7%" + ], + [ + "Bandit Archer", + "1 - 2", + "3.4%" + ], + [ + "Vendavel Archer", + "1 - 2", + "3.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "8%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "8%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "8%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Trog Chest" + }, + { + "chance": "3.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "3.8%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3.8%", + "locations": "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "8%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "8%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "8%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "8%", + "Blister Burrow" + ], + [ + "Soldier's Corpse", + "1", + "8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ], + [ + "Trog Chest", + "1", + "8%", + "Blister Burrow" + ], + [ + "Adventurer's Corpse", + "1", + "3.8%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "3.8%", + "Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "3.8%", + "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Looter Armor is a type of Armor in Outward." + }, + { + "name": "Looter Mask", + "url": "https://outward.fandom.com/wiki/Looter_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "5", + "Damage Resist": "4%", + "Durability": "120", + "Impact Resist": "10%", + "Item Set": "Looter Set", + "Object ID": "3000039", + "Sell": "3", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/48/Looter_Mask.png/revision/latest?cb=20190407194628", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Looter Mask" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Looter Mask" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Looter Mask" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Bandit" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Bandit Slave" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Baron Montgomery" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Crock" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Dawne" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Rospa Akiyuki" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "The Crusher" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "The Last Acolyte" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Vendavel Bandit" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Yzan Argenson" + }, + { + "chance": "3.7%", + "quantity": "1 - 2", + "source": "Zagis" + }, + { + "chance": "3.4%", + "quantity": "1 - 2", + "source": "Bandit Archer" + }, + { + "chance": "3.4%", + "quantity": "1 - 2", + "source": "Vendavel Archer" + } + ], + "raw_rows": [ + [ + "Bandit", + "1 - 2", + "3.7%" + ], + [ + "Bandit Slave", + "1 - 2", + "3.7%" + ], + [ + "Baron Montgomery", + "1 - 2", + "3.7%" + ], + [ + "Crock", + "1 - 2", + "3.7%" + ], + [ + "Dawne", + "1 - 2", + "3.7%" + ], + [ + "Rospa Akiyuki", + "1 - 2", + "3.7%" + ], + [ + "The Crusher", + "1 - 2", + "3.7%" + ], + [ + "The Last Acolyte", + "1 - 2", + "3.7%" + ], + [ + "Vendavel Bandit", + "1 - 2", + "3.7%" + ], + [ + "Yzan Argenson", + "1 - 2", + "3.7%" + ], + [ + "Zagis", + "1 - 2", + "3.7%" + ], + [ + "Bandit Archer", + "1 - 2", + "3.4%" + ], + [ + "Vendavel Archer", + "1 - 2", + "3.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "8%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "8%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "8%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Trog Chest" + }, + { + "chance": "3.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "3.8%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3.8%", + "locations": "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "8%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "8%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "8%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "8%", + "Blister Burrow" + ], + [ + "Soldier's Corpse", + "1", + "8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ], + [ + "Trog Chest", + "1", + "8%", + "Blister Burrow" + ], + [ + "Adventurer's Corpse", + "1", + "3.8%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "3.8%", + "Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "3.8%", + "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Looter Mask is a type of Armor in Outward." + }, + { + "name": "Looter Set", + "url": "https://outward.fandom.com/wiki/Looter_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "27", + "Cold Weather Def.": "15", + "Damage Resist": "10%", + "Durability": "240", + "Impact Resist": "21%", + "Object ID": "3000038 (Chest)3000039 (Head)", + "Sell": "8", + "Slot": "Set", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e3/Looter_Set.png/revision/latest/scale-to-width-down/250?cb=20211216174419", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "11%", + "column_5": "10", + "durability": "120", + "name": "Looter Armor", + "resistances": "6%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "5", + "durability": "120", + "name": "Looter Mask", + "resistances": "4%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Looter Armor", + "6%", + "11%", + "10", + "120", + "4.0", + "Body Armor" + ], + [ + "", + "Looter Mask", + "4%", + "10%", + "5", + "120", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "11%", + "column_5": "10", + "durability": "120", + "name": "Looter Armor", + "resistances": "6%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "5", + "durability": "120", + "name": "Looter Mask", + "resistances": "4%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Looter Armor", + "6%", + "11%", + "10", + "120", + "4.0", + "Body Armor" + ], + [ + "", + "Looter Mask", + "4%", + "10%", + "5", + "120", + "1.0", + "Helmets" + ] + ] + } + ], + "description": "Looter Set is a Set in Outward." + }, + { + "name": "Lower Foundry Key", + "url": "https://outward.fandom.com/wiki/Lower_Foundry_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600101", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/13/Lower_Foundry_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155328", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Rusty Sword Golem" + } + ], + "raw_rows": [ + [ + "Rusty Sword Golem", + "1", + "100%" + ] + ] + } + ], + "description": "Lower Foundry Key is an Item in Outward." + }, + { + "name": "Lower Laboratory Key", + "url": "https://outward.fandom.com/wiki/Lower_Laboratory_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600130", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b6/Lower_Laboratory_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155319", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Sublime Shell" + } + ], + "raw_rows": [ + [ + "Sublime Shell", + "1", + "100%" + ] + ] + } + ], + "description": "Lower Laboratory Key is an Item in Outward." + }, + { + "name": "Lower Living Quarters Key", + "url": "https://outward.fandom.com/wiki/Lower_Living_Quarters_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600070", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/76/Lower_Living_Quarters_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155335", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Troglodyte Knight" + } + ], + "raw_rows": [ + [ + "Troglodyte Knight", + "1", + "100%" + ] + ] + } + ], + "description": "Lower Living Quarters Key is an Item in Outward. It is found from a Troglodyte Knight at Abandoned Living Quarters." + }, + { + "name": "Lower Test Chamber Key", + "url": "https://outward.fandom.com/wiki/Lower_Test_Chamber_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600122", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/99/Lower_Test_Chamber_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155322", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Liquid-Cooled Golem" + } + ], + "raw_rows": [ + [ + "Liquid-Cooled Golem", + "1", + "100%" + ] + ] + } + ], + "description": "Lower Test Chamber Key is an Item in Outward." + }, + { + "name": "Luna Incense", + "url": "https://outward.fandom.com/wiki/Luna_Incense", + "categories": [ + "DLC: The Soroboreans", + "Incense", + "Items" + ], + "infobox": { + "Buy": "600", + "Class": "Incense", + "DLC": "The Soroboreans", + "Object ID": "6000230", + "Sell": "180", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/10/Luna_Incense.png/revision/latest/scale-to-width-down/83?cb=20200616185533", + "recipes": [ + { + "result": "Luna Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Light", + "Admiral Incense" + ], + "station": "Alchemy Kit", + "source_page": "Luna Incense" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying Quartz Tourmaline Elemental Particle – Light Admiral Incense", + "result": "4x Luna Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Luna Incense", + "Purifying Quartz Tourmaline Elemental Particle – Light Admiral Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.4%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "24.4%", + "Forgotten Research Laboratory" + ] + ] + }, + { + "title": "Used In Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second", + "enchantment": "Arcane Unison" + }, + { + "effects": "Changes the color of the lantern to green and effects of Flamethrower to Rust. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit.", + "enchantment": "Copper Flame" + }, + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Gain +14% Movement Speed", + "enchantment": "Guidance of Wind" + }, + { + "effects": "Gain +11% Stamina cost reduction (-11% Stamina costs)Reduces the Weight of this item by -9", + "enchantment": "Light as Wind" + }, + { + "effects": "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Priest's Prayers" + }, + { + "effects": "Gain +10% Ethereal damage bonusGain +10% Impact damage bonus", + "enchantment": "Primal Wind" + }, + { + "effects": "Gain passive +0.2 Mana regeneration per second", + "enchantment": "Rain" + }, + { + "effects": "Gain +25% Fire damage bonus", + "enchantment": "Spirit of Levant" + }, + { + "effects": "Gain +0.2x Mana Leech (damage dealt with the dagger will restore 0.2x the damage as Mana)", + "enchantment": "The Good Moon" + } + ], + "raw_rows": [ + [ + "Arcane Unison", + "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second" + ], + [ + "Copper Flame", + "Changes the color of the lantern to green and effects of Flamethrower to Rust. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit." + ], + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Guidance of Wind", + "Gain +14% Movement Speed" + ], + [ + "Light as Wind", + "Gain +11% Stamina cost reduction (-11% Stamina costs)Reduces the Weight of this item by -9" + ], + [ + "Priest's Prayers", + "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Primal Wind", + "Gain +10% Ethereal damage bonusGain +10% Impact damage bonus" + ], + [ + "Rain", + "Gain passive +0.2 Mana regeneration per second" + ], + [ + "Spirit of Levant", + "Gain +25% Fire damage bonus" + ], + [ + "The Good Moon", + "Gain +0.2x Mana Leech (damage dealt with the dagger will restore 0.2x the damage as Mana)" + ] + ] + } + ], + "description": "Luna Incense is an Item in Outward." + }, + { + "name": "Luxe Lichette", + "url": "https://outward.fandom.com/wiki/Luxe_Lichette", + "categories": [ + "Pages with script errors", + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Restores 50 ManaHealth Recovery 5Stamina Recovery 3", + "Hunger": "30%", + "Object ID": "4100240", + "Perish Time": "19 Days 20 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/82/Luxe_Lichette.png/revision/latest/scale-to-width-down/83?cb=20190410133744", + "effects": [ + "Restores 30% Hunger", + "Restores 50 Mana", + "Player receives Health Recovery (level 5)", + "Player receives Stamina Recovery (level 3)" + ], + "recipes": [ + { + "result": "Luxe Lichette", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Azure Shrimp", + "Raw Rainbow Trout", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Luxe Lichette" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Luxe Lichette" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Luxe Lichette" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Larva Egg Azure Shrimp Raw Rainbow Trout Seaweed", + "result": "3x Luxe Lichette", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Luxe Lichette", + "Larva Egg Azure Shrimp Raw Rainbow Trout Seaweed", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "2", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Luke the Pearlescent" + }, + { + "chance": "100%", + "quantity": "2", + "source": "Roland Argenson" + } + ], + "raw_rows": [ + [ + "Luke the Pearlescent", + "1", + "100%" + ], + [ + "Roland Argenson", + "2", + "100%" + ] + ] + } + ], + "description": "Luxe Lichette is a Food item in Outward." + }, + { + "name": "Luxury Tent", + "url": "https://outward.fandom.com/wiki/Luxury_Tent", + "categories": [ + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "200", + "Class": "Deployable", + "Duration": "2400 seconds (40 minutes)", + "Effects": "-20% Stamina cost of actions", + "Object ID": "5000050", + "Sell": "60", + "Type": "Sleep", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f6/Luxury_Tent.png/revision/latest/scale-to-width-down/83?cb=20190617104429", + "effects": [ + "Faster Health recovery from Rest (note: does not affect burnt health!)", + "Ambush chance increased", + "Grants the \"Sleep: Luxury Tent\" buff:", + "-20% Stamina cost of actions" + ], + "recipes": [ + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Luxury Tent" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Luxury Tent" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Luxury Tent" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Luxury Tent" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Luxury Tent" + } + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "-20% Stamina cost of actions", + "name": "Sleep: Luxury Tent" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Luxury Tent", + "2400 seconds (40 minutes)", + "-20% Stamina cost of actions" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + }, + { + "chance": "48.8%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "David Parks, Craftsman" + }, + { + "chance": "43.8%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 2", + "source": "Silver Tooth" + }, + { + "chance": "26.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Gold Belly", + "1", + "100%", + "Giants' Village" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "1", + "100%", + "Hallowed Marsh" + ], + [ + "David Parks, Craftsman", + "1 - 3", + "48.8%", + "Harmattan" + ], + [ + "Silver Tooth", + "1 - 2", + "43.8%", + "Silkworm's Refuge" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "26.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Hallowed Marsh" + ] + ] + } + ], + "description": "Luxury Tent is a type of tent in Outward, used for Resting." + }, + { + "name": "Mace of Seasons", + "url": "https://outward.fandom.com/wiki/Mace_of_Seasons", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Maces", + "Damage": "50", + "Durability": "475", + "Effects": "Elemental Vulnerability", + "Impact": "45", + "Object ID": "2020160", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/de/Mace_of_Seasons.png/revision/latest/scale-to-width-down/83?cb=20190629155142", + "effects": [ + "Inflicts Elemental Vulnerability (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Mace of Seasons", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Elatt's Relic", + "Leyline Figment" + ], + "station": "None", + "source_page": "Mace of Seasons" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "50", + "description": "Two wide-sweeping strikes, right to left", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "65", + "description": "Slow, overhead strike with high impact", + "impact": "112.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "65", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "65", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "50", + "45", + "5.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "65", + "112.5", + "7.28", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "65", + "58.5", + "7.28", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "65", + "58.5", + "7.28", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Pearlbird's Courage Elatt's Relic Leyline Figment", + "result": "1x Mace of Seasons", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Mace of Seasons", + "Gep's Generosity Pearlbird's Courage Elatt's Relic Leyline Figment", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Mace of Seasons is a type of One-Handed Mace weapon in Outward." + }, + { + "name": "Machete", + "url": "https://outward.fandom.com/wiki/Machete", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "16", + "Class": "Swords", + "Damage": "14", + "Durability": "175", + "Impact": "12", + "Object ID": "2000060", + "Sell": "5", + "Stamina Cost": "3.5", + "Type": "One-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0c/Machete.png/revision/latest?cb=20190413072005", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Machete" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "3.5", + "damage": "14", + "description": "Two slash attacks, left to right", + "impact": "12", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "4.2", + "damage": "20.93", + "description": "Forward-thrusting strike", + "impact": "15.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.85", + "damage": "17.71", + "description": "Heavy left-lunging strike", + "impact": "13.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.85", + "damage": "17.71", + "description": "Heavy right-lunging strike", + "impact": "13.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "14", + "12", + "3.5", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "20.93", + "15.6", + "4.2", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "17.71", + "13.2", + "3.85", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "17.71", + "13.2", + "3.85", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Vendavel Bandit" + } + ], + "raw_rows": [ + [ + "Bandit", + "1", + "100%" + ], + [ + "Vendavel Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "8%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "8%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Adventurer's Corpse", + "1", + "8%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "8%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "8%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "8%", + "Blister Burrow" + ], + [ + "Soldier's Corpse", + "1", + "8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Machete is a type of One-Handed Sword in Outward." + }, + { + "name": "Maelstrom Blade", + "url": "https://outward.fandom.com/wiki/Maelstrom_Blade", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Swords", + "Damage": "43", + "Durability": "400", + "Effects": "Confusion", + "Impact": "30", + "Object ID": "2000170", + "Sell": "600", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/15/Maelstrom_Blade.png/revision/latest/scale-to-width-down/83?cb=20190629155144", + "effects": [ + "Inflicts Confusion (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Maelstrom Blade", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Elatt's Relic", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Maelstrom Blade" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.9", + "damage": "43", + "description": "Two slash attacks, left to right", + "impact": "30", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.88", + "damage": "64.29", + "description": "Forward-thrusting strike", + "impact": "39", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "54.4", + "description": "Heavy left-lunging strike", + "impact": "33", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "54.4", + "description": "Heavy right-lunging strike", + "impact": "33", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "43", + "30", + "4.9", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "64.29", + "39", + "5.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "54.4", + "33", + "5.39", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "54.4", + "33", + "5.39", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Pearlbird's Courage Elatt's Relic Calixa's Relic Vendavel's Hospitality", + "result": "1x Maelstrom Blade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Maelstrom Blade", + "Pearlbird's Courage Elatt's Relic Calixa's Relic Vendavel's Hospitality", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Maelstrom Blade is a type of One-Handed Sword weapon in Outward." + }, + { + "name": "Mage Tent", + "url": "https://outward.fandom.com/wiki/Mage_Tent", + "categories": [ + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "100", + "Class": "Deployable", + "Duration": "2400 seconds (40 minutes)", + "Effects": "-15% Mana costs", + "Object ID": "5000060", + "Sell": "30", + "Type": "Sleep", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a7/Mage_Tent.png/revision/latest/scale-to-width-down/83?cb=20190617104702", + "effects": [ + "Reduces the amount of burnt Mana from sleeping by half", + "Grants the \"Sleep: Mage Tent\" buff:", + "-15% Mana costs" + ], + "recipes": [ + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Mage Tent" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Mage Tent" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Mage Tent" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Mage Tent" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Mage Tent" + } + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "-15% Mana costs", + "name": "Sleep: Mage Tent" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Mage Tent", + "2400 seconds (40 minutes)", + "-15% Mana costs" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "48.8%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "David Parks, Craftsman", + "1 - 3", + "48.8%", + "Harmattan" + ] + ] + } + ], + "description": "Mage Tent is a type of tent in Outward, used for Resting." + }, + { + "name": "Mage's Poking Stick", + "url": "https://outward.fandom.com/wiki/Mage%27s_Poking_Stick", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "375", + "Class": "Polearms", + "Damage": "13", + "Durability": "125", + "Impact": "37", + "Object ID": "2150001", + "Sell": "113", + "Stamina Cost": "6.3", + "Type": "Staff", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/59/Mage%E2%80%99s_Poking_Stick.png/revision/latest?cb=20190412213939", + "recipes": [ + { + "result": "Brand", + "result_count": "1x", + "ingredients": [ + "Strange Rusted Sword", + "Chemist's Broken Flask", + "Mage's Poking Stick", + "Blacksmith's Vintage Hammer" + ], + "station": "None", + "source_page": "Mage's Poking Stick" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.3", + "damage": "13", + "description": "Two wide-sweeping strikes, left to right", + "impact": "37", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "16.9", + "description": "Forward-thrusting strike", + "impact": "48.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "16.9", + "description": "Wide-sweeping strike from left", + "impact": "48.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.03", + "damage": "22.1", + "description": "Slow but powerful sweeping strike", + "impact": "62.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "13", + "37", + "6.3", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "16.9", + "48.1", + "7.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "16.9", + "48.1", + "7.88", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "22.1", + "62.9", + "11.03", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Strange Rusted SwordChemist's Broken FlaskMage's Poking StickBlacksmith's Vintage Hammer", + "result": "1x Brand", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Brand", + "Strange Rusted SwordChemist's Broken FlaskMage's Poking StickBlacksmith's Vintage Hammer", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Laine the Alchemist" + } + ], + "raw_rows": [ + [ + "Laine the Alchemist", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Mage's Poking Stick is a type of staff in Outward." + }, + { + "name": "Maize", + "url": "https://outward.fandom.com/wiki/Maize", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "5", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 2", + "Hunger": "12.5%", + "Object ID": "4000410", + "Perish Time": "6 Days", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/33/Maize.png/revision/latest/scale-to-width-down/83?cb=20201220075039", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Battered Maize", + "result_count": "1x", + "ingredients": [ + "Maize", + "Torcrab Egg", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Maize" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Maize" + }, + { + "result": "Frosted Maize", + "result_count": "1x", + "ingredients": [ + "Maize", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Maize" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Maize" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Maize" + }, + { + "result": "Popped Maize", + "result_count": "3x", + "ingredients": [ + "Maize" + ], + "station": "Campfire", + "source_page": "Maize" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Maize" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Maize" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Maize" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "MaizeTorcrab EggSalt", + "result": "1x Battered Maize", + "station": "Cooking Pot" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MaizeFrosted Powder", + "result": "1x Frosted Maize", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "Maize", + "result": "3x Popped Maize", + "station": "Campfire" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Battered Maize", + "MaizeTorcrab EggSalt", + "Cooking Pot" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "1x Frosted Maize", + "MaizeFrosted Powder", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Popped Maize", + "Maize", + "Campfire" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Maize (Gatherable)" + } + ], + "raw_rows": [ + [ + "Maize (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "1 - 3", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Silkworm's Refuge", + "quantity": "2 - 3", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Apprentice Ritualist", + "1 - 3", + "100%", + "Ritualist's hut" + ], + [ + "Brad Aberdeen, Chef", + "2 - 4", + "100%", + "New Sirocco" + ], + [ + "Silver Tooth", + "2 - 3", + "100%", + "Silkworm's Refuge" + ] + ] + } + ], + "description": "Maize is an Item in Outward." + }, + { + "name": "Maize Mash", + "url": "https://outward.fandom.com/wiki/Maize_Mash", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "10", + "DLC": "The Three Brothers", + "Effects": "Health Recovery 2Stamina Recovery 2Discipline", + "Hunger": "40%", + "Object ID": "4100910", + "Perish Time": "9 Days, 22 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/46/Maize_Mash.png/revision/latest/scale-to-width-down/83?cb=20201220075038", + "effects": [ + "Restores 40% Hunger", + "Player receives Health Recovery (level 2)", + "Player receives Stamina Recovery (level 2)", + "Player receives Discipline" + ], + "effect_links": [ + "/wiki/Discipline" + ], + "recipes": [ + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Maize Mash" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Maize Mash" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Maize Mash" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Maize Mash" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Maize Mash" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Maize Mash" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Maize Mash" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Maize Mash" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Meat Maize Torcrab Egg Torcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Maize Mash", + "Meat Maize Torcrab Egg Torcrab Egg", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Maize Mash is an Item in Outward." + }, + { + "name": "Makeshift Leather Attire", + "url": "https://outward.fandom.com/wiki/Makeshift_Leather_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "22", + "Cold Weather Def.": "10", + "Damage Resist": "7%", + "Durability": "120", + "Impact Resist": "8%", + "Item Set": "Makeshift Leather Set", + "Object ID": "3000280", + "Pouch Bonus": "5", + "Sell": "7", + "Slot": "Chest", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/af/Makeshift_Leather_Attire.png/revision/latest?cb=20190410225533", + "recipes": [ + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Makeshift Leather Attire" + }, + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Makeshift Leather Attire" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Makeshift Leather Attire" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Makeshift Leather Attire" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Makeshift Leather Attire" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Makeshift Leather Attire" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Makeshift Leather Attire" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Makeshift Leather Attire" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Makeshift Leather Attire" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Makeshift Leather Attire" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Armor Hide Hide", + "result": "1x Makeshift Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Makeshift Leather Attire", + "Basic Armor Hide Hide", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots", + "enchantment": "Beast of Burden" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Beast of Burden", + "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Makeshift Leather Attire is a type of Armor in Outward." + }, + { + "name": "Makeshift Leather Boots", + "url": "https://outward.fandom.com/wiki/Makeshift_Leather_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "5", + "Damage Resist": "4%", + "Durability": "120", + "Impact Resist": "6%", + "Item Set": "Makeshift Leather Set", + "Object ID": "3000282", + "Sell": "3", + "Slot": "Legs", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d2/Makeshift_Leather_Boots.png/revision/latest?cb=20190415154235", + "recipes": [ + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Makeshift Leather Boots" + }, + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Makeshift Leather Boots" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Makeshift Leather Boots" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Makeshift Leather Boots" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Boots Hide", + "result": "1x Makeshift Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Makeshift Leather Boots", + "Basic Boots Hide", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots", + "enchantment": "Beast of Burden" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Beast of Burden", + "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Makeshift Leather Boots is a type of Boots in Outward." + }, + { + "name": "Makeshift Leather Hat", + "url": "https://outward.fandom.com/wiki/Makeshift_Leather_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "5", + "Damage Resist": "4%", + "Durability": "120", + "Impact Resist": "6%", + "Item Set": "Makeshift Leather Set", + "Object ID": "3000281", + "Sell": "3", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/71/Makeshift_Leather_Hat.png/revision/latest?cb=20190411085159", + "recipes": [ + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Makeshift Leather Hat" + }, + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Makeshift Leather Hat" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Makeshift Leather Hat" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Makeshift Leather Hat" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Helm Hide", + "result": "1x Makeshift Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Makeshift Leather Hat", + "Basic Helm Hide", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots", + "enchantment": "Beast of Burden" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Beast of Burden", + "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Makeshift Leather Hat is a type of craftable Armor in Outward." + }, + { + "name": "Makeshift Leather Set", + "url": "https://outward.fandom.com/wiki/Makeshift_Leather_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "42", + "Cold Weather Def.": "20", + "Damage Resist": "15%", + "Durability": "360", + "Impact Resist": "20%", + "Object ID": "3000280 (Chest)3000282 (Legs)3000281 (Head)", + "Pouch Bonus": "5", + "Sell": "13", + "Slot": "Set", + "Weight": "13.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/33/Makeshift_Leather_set.png/revision/latest/scale-to-width-down/195?cb=20190423181000", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "8%", + "column_5": "10", + "durability": "120", + "name": "Makeshift Leather Attire", + "pouch_bonus": "5", + "resistances": "7%", + "weight": "6.0" + }, + { + "class": "Boots", + "column_4": "6%", + "column_5": "5", + "durability": "120", + "name": "Makeshift Leather Boots", + "pouch_bonus": "–", + "resistances": "4%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "6%", + "column_5": "5", + "durability": "120", + "name": "Makeshift Leather Hat", + "pouch_bonus": "–", + "resistances": "4%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Makeshift Leather Attire", + "7%", + "8%", + "10", + "5", + "120", + "6.0", + "Body Armor" + ], + [ + "", + "Makeshift Leather Boots", + "4%", + "6%", + "5", + "–", + "120", + "4.0", + "Boots" + ], + [ + "", + "Makeshift Leather Hat", + "4%", + "6%", + "5", + "–", + "120", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "8%", + "column_5": "10", + "durability": "120", + "name": "Makeshift Leather Attire", + "pouch_bonus": "5", + "resistances": "7%", + "weight": "6.0" + }, + { + "class": "Boots", + "column_4": "6%", + "column_5": "5", + "durability": "120", + "name": "Makeshift Leather Boots", + "pouch_bonus": "–", + "resistances": "4%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "6%", + "column_5": "5", + "durability": "120", + "name": "Makeshift Leather Hat", + "pouch_bonus": "–", + "resistances": "4%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Makeshift Leather Attire", + "7%", + "8%", + "10", + "5", + "120", + "6.0", + "Body Armor" + ], + [ + "", + "Makeshift Leather Boots", + "4%", + "6%", + "5", + "–", + "120", + "4.0", + "Boots" + ], + [ + "", + "Makeshift Leather Hat", + "4%", + "6%", + "5", + "–", + "120", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Makeshift Leather Set is a Set in Outward." + }, + { + "name": "Makeshift Torch", + "url": "https://outward.fandom.com/wiki/Makeshift_Torch", + "categories": [ + "Items", + "Equipment", + "Lanterns" + ], + "infobox": { + "Buy": "0", + "Class": "Lanterns", + "Durability": "100", + "Object ID": "5100060", + "Sell": "0", + "Type": "Torch", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3e/Makeshift_Torch.png/revision/latest?cb=20190407074705", + "recipes": [ + { + "result": "Makeshift Torch", + "result_count": "1x", + "ingredients": [ + "Wood", + "Linen Cloth" + ], + "station": "None", + "source_page": "Makeshift Torch" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Wood Linen Cloth", + "result": "1x Makeshift Torch", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Makeshift Torch", + "Wood Linen Cloth", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "6.3%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "5.3%", + "quantity": "1 - 2", + "source": "Animated Skeleton" + }, + { + "chance": "5.3%", + "quantity": "1 - 2", + "source": "Marsh Bandit" + } + ], + "raw_rows": [ + [ + "Bandit Lieutenant", + "1 - 3", + "6.3%" + ], + [ + "Animated Skeleton", + "1 - 2", + "5.3%" + ], + [ + "Marsh Bandit", + "1 - 2", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "8.6%", + "locations": "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "8.6%", + "locations": "Blue Chamber's Conflux Path, Forest Hives", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 2", + "8.6%", + "Abrassar, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach" + ], + [ + "Junk Pile", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "8.6%", + "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco" + ], + [ + "Looter's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "8.6%", + "Blue Chamber's Conflux Path, Forest Hives" + ] + ] + } + ], + "description": "Makeshift Torch is a basic craftable torch which provides both a light source and a source of heat, to combat against the cold. Must be held in the off-hand to take effect." + }, + { + "name": "Mana Arrow", + "url": "https://outward.fandom.com/wiki/Mana_Arrow", + "categories": [ + "DLC: The Three Brothers", + "Arrow", + "Ammunition", + "Items" + ], + "infobox": { + "Buy": "5", + "Class": "Arrow", + "DLC": "The Three Brothers", + "Effects": "+5 Ethereal damageInflicts Haunted", + "Object ID": "5200019", + "Sell": "2", + "Type": "Ammunition", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/54/Mana_Arrow.png/revision/latest/scale-to-width-down/83?cb=20201220075041", + "effects": [ + "+5 Ethereal damage", + "Inflicts Haunted (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Mana Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Mana Arrow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Arrowhead Kit Wood Ghost's Eye", + "result": "5x Mana Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "5x Mana Arrow", + "Arrowhead Kit Wood Ghost's Eye", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "15 - 30", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "15", + "source": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "15 - 30", + "100%", + "New Sirocco" + ], + [ + "Quikiza the Blacksmith", + "15", + "100%", + "Berg" + ] + ] + } + ], + "description": "Mana Arrow is an Item in Outward." + }, + { + "name": "Mana Belly Potion", + "url": "https://outward.fandom.com/wiki/Mana_Belly_Potion", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "60", + "DLC": "The Three Brothers", + "Drink": "5%", + "Effects": "Mana Ratio Recovery 2Mana Cost ReductionProtection (Effect) 1", + "Object ID": "4300410", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Mana_Belly_Potion.png/revision/latest/scale-to-width-down/83?cb=20201220075042", + "effects": [ + "Restores 5% Thirst", + "Player receives Mana Ratio Recovery (level 2)", + "Player receives Mana Cost Reduction", + "Player receives Protection (Effect) (level 1)" + ], + "effect_links": [ + "/wiki/Protection_(Effect)" + ], + "recipes": [ + { + "result": "Mana Belly Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Pypherfish", + "Funnel Beetle", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Mana Belly Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Pypherfish Funnel Beetle Hexa Stone", + "result": "1x Mana Belly Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Mana Belly Potion", + "Water Pypherfish Funnel Beetle Hexa Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 40", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "2 - 40", + "50.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "10%", + "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "10%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "10%", + "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Mana Belly Potion is an Item in Outward." + }, + { + "name": "Mana Stone", + "url": "https://outward.fandom.com/wiki/Mana_Stone", + "categories": [ + "Ingredient", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "20", + "Object ID": "6400130", + "Sell": "6", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bc/Mana_Stone.png/revision/latest/scale-to-width-down/83?cb=20190502033503", + "recipes": [ + { + "result": "Mana Stone", + "result_count": "3x", + "ingredients": [ + "Troglodyte Staff" + ], + "station": "None", + "source_page": "Mana Stone" + }, + { + "result": "Bolt Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Firefly Powder", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Mana Stone" + }, + { + "result": "Cold Stone", + "result_count": "3x", + "ingredients": [ + "Blue Sand", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Mana Stone" + }, + { + "result": "Crystal Powder", + "result_count": "1x", + "ingredients": [ + "Mana Stone", + "Mana Stone", + "Mana Stone", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Mana Stone" + }, + { + "result": "Dark Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Occult Remains", + "Mana Stone", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Mana Stone" + }, + { + "result": "Fire Stone", + "result_count": "1x", + "ingredients": [ + "Mana Stone", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Mana Stone" + }, + { + "result": "Spiritual Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Ghost's Eye", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Mana Stone" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Troglodyte Staff", + "result": "3x Mana Stone", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Mana Stone", + "Troglodyte Staff", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberry WineFirefly PowderMana Stone", + "result": "1x Bolt Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Blue SandMana Stone", + "result": "3x Cold Stone", + "station": "Alchemy Kit" + }, + { + "ingredients": "Mana StoneMana StoneMana StoneMana Stone", + "result": "1x Crystal Powder", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineOccult RemainsMana StoneGrilled Crabeye Seed", + "result": "1x Dark Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Mana StoneThick Oil", + "result": "1x Fire Stone", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gaberry WineGhost's EyeMana Stone", + "result": "1x Spiritual Varnish", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Bolt Varnish", + "Gaberry WineFirefly PowderMana Stone", + "Alchemy Kit" + ], + [ + "3x Cold Stone", + "Blue SandMana Stone", + "Alchemy Kit" + ], + [ + "1x Crystal Powder", + "Mana StoneMana StoneMana StoneMana Stone", + "Alchemy Kit" + ], + [ + "1x Dark Varnish", + "Gaberry WineOccult RemainsMana StoneGrilled Crabeye Seed", + "Alchemy Kit" + ], + [ + "1x Fire Stone", + "Mana StoneThick Oil", + "Alchemy Kit" + ], + [ + "1x Spiritual Varnish", + "Gaberry WineGhost's EyeMana Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Mana Stone Vein" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Cold Mana Stone Vein" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Ghost Plant" + } + ], + "raw_rows": [ + [ + "Mana Stone Vein", + "1", + "100%" + ], + [ + "Cold Mana Stone Vein", + "1", + "16.7%" + ], + [ + "Ghost Plant", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1 - 3", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "2 - 4", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1 - 3", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "2 - 3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1 - 3", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Vay the Alchemist" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 18", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 18", + "source": "Fourth Watcher" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1 - 3", + "100%", + "Hermit's House" + ], + [ + "Apprentice Ritualist", + "2 - 4", + "100%", + "Ritualist's hut" + ], + [ + "Fourth Watcher", + "1 - 3", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "2 - 3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 3", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 3", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "1 - 3", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1", + "100%", + "Berg" + ], + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 18", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 18", + "25.9%", + "Conflux Chambers" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Arcane Elemental (Decay)" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Arcane Elemental (Ethereal)" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Arcane Elemental (Fire)" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Arcane Elemental (Frost)" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Arcane Elemental (Lightning)" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Balira" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Blade Dancer" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Blood Sorcerer" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Chromatic Arcane Elemental" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Drifting Medyse" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Elder Medyse" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Forge Golem" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Grandmother Medyse" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Ice Witch" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Jade-Lich Acolyte" + } + ], + "raw_rows": [ + [ + "Arcane Elemental (Decay)", + "3", + "100%" + ], + [ + "Arcane Elemental (Ethereal)", + "3", + "100%" + ], + [ + "Arcane Elemental (Fire)", + "3", + "100%" + ], + [ + "Arcane Elemental (Frost)", + "3", + "100%" + ], + [ + "Arcane Elemental (Lightning)", + "3", + "100%" + ], + [ + "Balira", + "1", + "100%" + ], + [ + "Blade Dancer", + "1", + "100%" + ], + [ + "Blood Sorcerer", + "1", + "100%" + ], + [ + "Chromatic Arcane Elemental", + "3", + "100%" + ], + [ + "Drifting Medyse", + "2 - 3", + "100%" + ], + [ + "Elder Medyse", + "2 - 3", + "100%" + ], + [ + "Forge Golem", + "1", + "100%" + ], + [ + "Grandmother Medyse", + "1", + "100%" + ], + [ + "Ice Witch", + "1", + "100%" + ], + [ + "Jade-Lich Acolyte", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 6", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 6", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 6", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 6", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 6", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 6", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path", + "quantity": "1 - 6", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 6", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 6", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 6", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 6", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 6", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 6", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 6", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 6", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 6", + "14.8%", + "Ark of the Exiled, Forest Hives" + ], + [ + "Soldier's Corpse", + "1 - 6", + "14.8%", + "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "Mana Stone is an Item in Outward." + }, + { + "name": "Mana Transfer Elevator Key", + "url": "https://outward.fandom.com/wiki/Mana_Transfer_Elevator_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600160", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5d/Mana_Transfer_Elevator_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155316", + "description": "Mana Transfer Elevator Key is an Item in Outward." + }, + { + "name": "Manaheart Bass", + "url": "https://outward.fandom.com/wiki/Manaheart_Bass", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "DLC": "The Soroboreans", + "Effects": "Mana Ratio Recovery 3IndigestionSapped", + "Hunger": "12.5%", + "Object ID": "4000330", + "Perish Time": "2 Days, 23 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3d/Manaheart_Bass.png/revision/latest/scale-to-width-down/83?cb=20200616185534", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Mana Ratio Recovery (level 3)", + "Player receives Indigestion", + "Player receives Sapped" + ], + "effect_links": [ + "/wiki/Sapped" + ], + "recipes": [ + { + "result": "Grilled Manaheart Bass", + "result_count": "1x", + "ingredients": [ + "Manaheart Bass" + ], + "station": "Campfire", + "source_page": "Manaheart Bass" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Manaheart Bass" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Manaheart Bass" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Manaheart Bass" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Manaheart Bass", + "result": "1x Grilled Manaheart Bass", + "station": "Campfire" + }, + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Grilled Manaheart Bass", + "Manaheart Bass", + "Campfire" + ], + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "57.1%", + "quantity": "1", + "source": "Fishing/Harmattan Magic" + } + ], + "raw_rows": [ + [ + "Fishing/Harmattan Magic", + "1", + "57.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "18.5%", + "quantity": "1", + "source": "Veaber" + } + ], + "raw_rows": [ + [ + "Veaber", + "1", + "18.5%" + ] + ] + } + ], + "description": "Manaheart Bass is an Item in Outward." + }, + { + "name": "Manawall Armor", + "url": "https://outward.fandom.com/wiki/Manawall_Armor", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Barrier": "5", + "Buy": "525", + "DLC": "The Three Brothers", + "Damage Bonus": "10%", + "Damage Resist": "15%", + "Durability": "600", + "Hot Weather Def.": "6", + "Impact Resist": "13%", + "Item Set": "Manawall Set", + "Movement Speed": "10%", + "Object ID": "3100445", + "Protection": "4", + "Sell": "158", + "Slot": "Chest", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/30/Manawall_Armor.png/revision/latest/scale-to-width-down/83?cb=20201220075043", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Barrier Armor", + "upgrade": "Manawall Armor" + } + ], + "raw_rows": [ + [ + "Barrier Armor", + "Manawall Armor" + ] + ] + } + ], + "description": "Manawall Armor is a type of Equipment in Outward." + }, + { + "name": "Manawall Boots", + "url": "https://outward.fandom.com/wiki/Manawall_Boots", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Barrier": "4", + "Buy": "300", + "DLC": "The Three Brothers", + "Damage Bonus": "10%", + "Damage Resist": "8%", + "Durability": "600", + "Hot Weather Def.": "4", + "Impact Resist": "9%", + "Item Set": "Manawall Set", + "Movement Speed": "5%", + "Object ID": "3100447", + "Protection": "3", + "Sell": "90", + "Slot": "Legs", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fd/Manawall_Boots.png/revision/latest/scale-to-width-down/83?cb=20201220075044", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Barrier Boots", + "upgrade": "Manawall Boots" + } + ], + "raw_rows": [ + [ + "Barrier Boots", + "Manawall Boots" + ] + ] + } + ], + "description": "Manawall Boots is a type of Equipment in Outward." + }, + { + "name": "Manawall Helm", + "url": "https://outward.fandom.com/wiki/Manawall_Helm", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Barrier": "4", + "Buy": "300", + "DLC": "The Three Brothers", + "Damage Bonus": "10%", + "Damage Resist": "8%", + "Durability": "600", + "Hot Weather Def.": "4", + "Impact Resist": "9%", + "Item Set": "Manawall Set", + "Movement Speed": "5%", + "Object ID": "3100446", + "Protection": "3", + "Sell": "90", + "Slot": "Head", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ab/Manawall_Helm.png/revision/latest/scale-to-width-down/83?cb=20201220075047", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Barrier Helm", + "upgrade": "Manawall Helm" + } + ], + "raw_rows": [ + [ + "Barrier Helm", + "Manawall Helm" + ] + ] + } + ], + "description": "Manawall Helm is a type of Equipment in Outward." + }, + { + "name": "Manawall Set", + "url": "https://outward.fandom.com/wiki/Manawall_Set", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Barrier": "13", + "Buy": "1125", + "DLC": "The Three Brothers", + "Damage Bonus": "30%", + "Damage Resist": "31%", + "Durability": "1800", + "Hot Weather Def.": "14", + "Impact Resist": "31%", + "Movement Speed": "20%", + "Object ID": "3100445 (Chest)3100447 (Legs)3100446 (Head)", + "Protection": "10", + "Sell": "338", + "Slot": "Set", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e7/Manawall_Set.png/revision/latest/scale-to-width-down/250?cb=20201231064000", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Damage Bonus%", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "13%", + "column_5": "4", + "column_6": "5", + "column_8": "6", + "column_9": "10%", + "damage_bonus%": "10%", + "durability": "600", + "name": "Manawall Armor", + "resistances": "15%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "9%", + "column_5": "3", + "column_6": "4", + "column_8": "4", + "column_9": "5%", + "damage_bonus%": "10%", + "durability": "600", + "name": "Manawall Boots", + "resistances": "8%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "3", + "column_6": "4", + "column_8": "4", + "column_9": "5%", + "damage_bonus%": "10%", + "durability": "600", + "name": "Manawall Helm", + "resistances": "8%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Manawall Armor", + "15%", + "13%", + "4", + "5", + "10%", + "6", + "10%", + "600", + "4.0", + "Body Armor" + ], + [ + "", + "Manawall Boots", + "8%", + "9%", + "3", + "4", + "10%", + "4", + "5%", + "600", + "2.0", + "Boots" + ], + [ + "", + "Manawall Helm", + "8%", + "9%", + "3", + "4", + "10%", + "4", + "5%", + "600", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Damage Bonus%", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "13%", + "column_5": "4", + "column_6": "5", + "column_8": "6", + "column_9": "10%", + "damage_bonus%": "10%", + "durability": "600", + "name": "Manawall Armor", + "resistances": "15%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "9%", + "column_5": "3", + "column_6": "4", + "column_8": "4", + "column_9": "5%", + "damage_bonus%": "10%", + "durability": "600", + "name": "Manawall Boots", + "resistances": "8%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "3", + "column_6": "4", + "column_8": "4", + "column_9": "5%", + "damage_bonus%": "10%", + "durability": "600", + "name": "Manawall Helm", + "resistances": "8%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Manawall Armor", + "15%", + "13%", + "4", + "5", + "10%", + "6", + "10%", + "600", + "4.0", + "Body Armor" + ], + [ + "", + "Manawall Boots", + "8%", + "9%", + "3", + "4", + "10%", + "4", + "5%", + "600", + "2.0", + "Boots" + ], + [ + "", + "Manawall Helm", + "8%", + "9%", + "3", + "4", + "10%", + "4", + "5%", + "600", + "1.0", + "Helmets" + ] + ] + } + ], + "description": "Manawall Set is a Set in Outward." + }, + { + "name": "Manticore Dagger", + "url": "https://outward.fandom.com/wiki/Manticore_Dagger", + "categories": [ + "Items", + "Weapons", + "Daggers", + "Off-Handed Weapons" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Daggers", + "Damage": "30 10", + "Durability": "125", + "Effects": "Extreme Poison", + "Impact": "44", + "Object ID": "5110004", + "Sell": "300", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d7/Manticore_Dagger.png/revision/latest?cb=20190406064322", + "effects": [ + "Inflicts Extreme Poison (66% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Manticore Dagger", + "result_count": "1x", + "ingredients": [ + "Manticore Tail", + "Palladium Scrap", + "Ammolite" + ], + "station": "None", + "source_page": "Manticore Dagger" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Manticore Tail Palladium Scrap Ammolite", + "result": "1x Manticore Dagger", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Manticore Dagger", + "Manticore Tail Palladium Scrap Ammolite", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Manticore Dagger is a dagger in Outward." + }, + { + "name": "Manticore Egg", + "url": "https://outward.fandom.com/wiki/Manticore_Egg", + "categories": [ + "DLC: The Three Brothers", + "Other", + "Items" + ], + "infobox": { + "Buy": "45", + "DLC": "The Three Brothers", + "Object ID": "4300490", + "Sell": "14", + "Type": "Other", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bd/Manticore_Egg.png/revision/latest/scale-to-width-down/83?cb=20201220075048", + "effects": [ + "Grants the Mini Manticore skill" + ], + "recipes": [ + { + "result": "Manticore Egg", + "result_count": "1x", + "ingredients": [ + "Vendavel's Hospitality", + "Scourge's Tears", + "Noble's Greed", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Manticore Egg" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Vendavel's Hospitality Scourge's Tears Noble's Greed Calygrey's Wisdom", + "result": "1x Manticore Egg", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Manticore Egg", + "Vendavel's Hospitality Scourge's Tears Noble's Greed Calygrey's Wisdom", + "None" + ] + ] + } + ], + "description": "Manticore Egg is an Item in Outward." + }, + { + "name": "Manticore Greatmace", + "url": "https://outward.fandom.com/wiki/Manticore_Greatmace", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2500", + "Class": "Maces", + "Damage": "24.5 24.5", + "Durability": "300", + "Effects": "Extreme Poison", + "Impact": "60", + "Object ID": "2120090", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/db/Manticore_Greatmace.png/revision/latest?cb=20190412212223", + "effects": [ + "Inflicts Extreme Poison (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Manticore Greatmace", + "result_count": "1x", + "ingredients": [ + "Mantis Greatpick", + "Manticore Tail", + "Manticore Tail", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Manticore Greatmace" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Manticore Greatmace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "24.5 24.5", + "description": "Two slashing strikes, left to right", + "impact": "60", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "18.38 18.38", + "description": "Blunt strike with high impact", + "impact": "120", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "34.3 34.3", + "description": "Powerful overhead strike", + "impact": "84", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "34.3 34.3", + "description": "Forward-running uppercut strike", + "impact": "84", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24.5 24.5", + "60", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "18.38 18.38", + "120", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "34.3 34.3", + "84", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "34.3 34.3", + "84", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mantis Greatpick Manticore Tail Manticore Tail Palladium Scrap", + "result": "1x Manticore Greatmace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Manticore Greatmace", + "Mantis Greatpick Manticore Tail Manticore Tail Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Manticore Greatmace is a two-handed mace in Outward." + }, + { + "name": "Manticore Tail", + "url": "https://outward.fandom.com/wiki/Manticore_Tail", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "350", + "Object ID": "6600150", + "Sell": "60", + "Type": "Ingredient", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/eb/Manticore_Tail.png/revision/latest/scale-to-width-down/83?cb=20200316064706", + "recipes": [ + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Manticore Tail", + "Blood Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Manticore Tail" + }, + { + "result": "Manticore Dagger", + "result_count": "1x", + "ingredients": [ + "Manticore Tail", + "Palladium Scrap", + "Ammolite" + ], + "station": "None", + "source_page": "Manticore Tail" + }, + { + "result": "Manticore Greatmace", + "result_count": "1x", + "ingredients": [ + "Mantis Greatpick", + "Manticore Tail", + "Manticore Tail", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Manticore Tail" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterManticore TailBlood Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Manticore TailPalladium ScrapAmmolite", + "result": "1x Manticore Dagger", + "station": "None" + }, + { + "ingredients": "Mantis GreatpickManticore TailManticore TailPalladium Scrap", + "result": "1x Manticore Greatmace", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Great Astral Potion", + "WaterManticore TailBlood Mushroom", + "Alchemy Kit" + ], + [ + "1x Manticore Dagger", + "Manticore TailPalladium ScrapAmmolite", + "None" + ], + [ + "1x Manticore Greatmace", + "Mantis GreatpickManticore TailManticore TailPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Manticore" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Royal Manticore" + } + ], + "raw_rows": [ + [ + "Manticore", + "1", + "100%" + ], + [ + "Royal Manticore", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Manticore Tail is an item in Outward." + }, + { + "name": "Mantis Granite", + "url": "https://outward.fandom.com/wiki/Mantis_Granite", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "Object ID": "6600090", + "Sell": "18", + "Type": "Ingredient", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cd/Mantis_Granite.png/revision/latest/scale-to-width-down/83?cb=20190622200457", + "recipes": [ + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Mantis Granite", + "Gaberries" + ], + "station": "Alchemy Kit", + "source_page": "Mantis Granite" + }, + { + "result": "Mantis Greatpick", + "result_count": "1x", + "ingredients": [ + "Mantis Granite", + "Mantis Granite", + "Palladium Scrap", + "Mining Pick" + ], + "station": "None", + "source_page": "Mantis Granite" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mantis GraniteGaberries", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Mantis GraniteMantis GranitePalladium ScrapMining Pick", + "result": "1x Mantis Greatpick", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Potion", + "Mantis GraniteGaberries", + "Alchemy Kit" + ], + [ + "1x Mantis Greatpick", + "Mantis GraniteMantis GranitePalladium ScrapMining Pick", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "9%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "9%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "40%", + "quantity": "1", + "source": "Rock Mantis" + }, + { + "chance": "11.1%", + "quantity": "1", + "source": "Crescent Shark" + } + ], + "raw_rows": [ + [ + "Rock Mantis", + "1", + "40%" + ], + [ + "Crescent Shark", + "1", + "11.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Mantis Granite is an item in Outward." + }, + { + "name": "Mantis Greatpick", + "url": "https://outward.fandom.com/wiki/Mantis_Greatpick", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "375", + "Class": "Maces", + "Damage": "34", + "Durability": "600", + "Effects": "Pain", + "Impact": "51", + "Object ID": "2120040", + "Sell": "112", + "Stamina Cost": "6.9", + "Type": "Two-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/db/Mantis_Greatpick.png/revision/latest?cb=20190416090315", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Mantis Greatpick", + "result_count": "1x", + "ingredients": [ + "Mantis Granite", + "Mantis Granite", + "Palladium Scrap", + "Mining Pick" + ], + "station": "None", + "source_page": "Mantis Greatpick" + }, + { + "result": "Manticore Greatmace", + "result_count": "1x", + "ingredients": [ + "Mantis Greatpick", + "Manticore Tail", + "Manticore Tail", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Mantis Greatpick" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Mantis Greatpick" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.9", + "damage": "34", + "description": "Two slashing strikes, left to right", + "impact": "51", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.28", + "damage": "25.5", + "description": "Blunt strike with high impact", + "impact": "102", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.28", + "damage": "47.6", + "description": "Powerful overhead strike", + "impact": "71.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.28", + "damage": "47.6", + "description": "Forward-running uppercut strike", + "impact": "71.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34", + "51", + "6.9", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "25.5", + "102", + "8.28", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "47.6", + "71.4", + "8.28", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "47.6", + "71.4", + "8.28", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mantis Granite Mantis Granite Palladium Scrap Mining Pick", + "result": "1x Mantis Greatpick", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Mantis Greatpick", + "Mantis Granite Mantis Granite Palladium Scrap Mining Pick", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mantis GreatpickManticore TailManticore TailPalladium Scrap", + "result": "1x Manticore Greatmace", + "station": "None" + }, + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Manticore Greatmace", + "Mantis GreatpickManticore TailManticore TailPalladium Scrap", + "None" + ], + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Mantis Greatpick is a two-handed mace in Outward. It can also be used for Mining." + }, + { + "name": "Marathon Potion", + "url": "https://outward.fandom.com/wiki/Marathon_Potion", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "30", + "DLC": "The Three Brothers", + "Drink": "5%", + "Effects": "Restores 10% FatigueSpeed Up", + "Object ID": "4300420", + "Perish Time": "∞", + "Sell": "9", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c2/Marathon_Potion.png/revision/latest/scale-to-width-down/83?cb=20201220075049", + "effects": [ + "Restores 5% Thirst and 10% Fatigue", + "Player receives Speed Up" + ], + "recipes": [ + { + "result": "Marathon Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Marathon Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Crysocolla Beetle", + "result": "1x Marathon Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Marathon Potion", + "Water Crysocolla Beetle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 40", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "43.8%", + "locations": "Silkworm's Refuge", + "quantity": "2 - 6", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "2 - 40", + "50.8%", + "New Sirocco" + ], + [ + "Silver Tooth", + "2 - 6", + "43.8%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "10%", + "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "10%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "10%", + "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Marathon Potion is an Item in Outward." + }, + { + "name": "Marble Axe", + "url": "https://outward.fandom.com/wiki/Marble_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "800", + "Class": "Axes", + "Damage": "37", + "Durability": "350", + "Impact": "29", + "Item Set": "Marble Set", + "Object ID": "2010060", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bc/Marble_Axe.png/revision/latest?cb=20190412201041", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Marble Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "37", + "description": "Two slashing strikes, right to left", + "impact": "29", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.24", + "damage": "48.1", + "description": "Fast, triple-attack strike", + "impact": "37.7", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "48.1", + "description": "Quick double strike", + "impact": "37.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "48.1", + "description": "Wide-sweeping double strike", + "impact": "37.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37", + "29", + "5.2", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "48.1", + "37.7", + "6.24", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "48.1", + "37.7", + "6.24", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "48.1", + "37.7", + "6.24", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +0.2 flat Attack SpeedReduces Weight by -50%", + "enchantment": "Weightless" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Weightless", + "Gain +0.2 flat Attack SpeedReduces Weight by -50%" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Marble Axe is a type of One-Handed Axe in Outward." + }, + { + "name": "Marble Claymore", + "url": "https://outward.fandom.com/wiki/Marble_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Swords", + "Damage": "47", + "Durability": "375", + "Impact": "47", + "Item Set": "Marble Set", + "Object ID": "2100040", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b0/Marble_Claymore.png/revision/latest?cb=20190413074217", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Marble Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "47", + "description": "Two slashing strikes, left to right", + "impact": "47", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.36", + "damage": "70.5", + "description": "Overhead downward-thrusting strike", + "impact": "70.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "59.46", + "description": "Spinning strike from the right", + "impact": "51.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "59.46", + "description": "Spinning strike from the left", + "impact": "51.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "47", + "47", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "70.5", + "70.5", + "9.36", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "59.46", + "51.7", + "7.92", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "59.46", + "51.7", + "7.92", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +0.2 flat Attack SpeedReduces Weight by -50%", + "enchantment": "Weightless" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Weightless", + "Gain +0.2 flat Attack SpeedReduces Weight by -50%" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Marble Claymore is a two-handed sword in Outward." + }, + { + "name": "Marble Fists", + "url": "https://outward.fandom.com/wiki/Marble_Fists", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "800", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "33", + "Durability": "325", + "Effects": "Confusion", + "Impact": "20", + "Item Set": "Marble Set", + "Object ID": "2160070", + "Sell": "240", + "Stamina Cost": "2.6", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/85/Marble_Fists.png/revision/latest/scale-to-width-down/83?cb=20200616185536", + "effects": [ + "Inflicts Confusion (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.6", + "damage": "33", + "description": "Four fast punches, right to left", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.38", + "damage": "42.9", + "description": "Forward-lunging left hook", + "impact": "26", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "42.9", + "description": "Left dodging, left uppercut", + "impact": "26", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "42.9", + "description": "Right dodging, right spinning hammer strike", + "impact": "26", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "20", + "2.6", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "42.9", + "26", + "3.38", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "42.9", + "26", + "3.12", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "42.9", + "26", + "3.12", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +0.2 flat Attack SpeedReduces Weight by -50%", + "enchantment": "Weightless" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Weightless", + "Gain +0.2 flat Attack SpeedReduces Weight by -50%" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "20%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "20%", + "Harmattan" + ], + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Altered Gargoyle" + } + ], + "raw_rows": [ + [ + "Altered Gargoyle", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "3.2%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Ornate Chest", + "1", + "3.2%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Marble Fists is a type of Weapon in Outward." + }, + { + "name": "Marble Greataxe", + "url": "https://outward.fandom.com/wiki/Marble_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Axes", + "Damage": "48", + "Durability": "400", + "Impact": "44", + "Item Set": "Marble Set", + "Object ID": "2110020", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/02/Marble_Greataxe.png/revision/latest?cb=20190412202613", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Marble Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "48", + "description": "Two slashing strikes, left to right", + "impact": "44", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.9", + "damage": "62.4", + "description": "Uppercut strike into right sweep strike", + "impact": "57.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.9", + "damage": "62.4", + "description": "Left-spinning double strike", + "impact": "57.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.72", + "damage": "62.4", + "description": "Right-spinning double strike", + "impact": "57.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "48", + "44", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "62.4", + "57.2", + "9.9", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "62.4", + "57.2", + "9.9", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "62.4", + "57.2", + "9.72", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +0.2 flat Attack SpeedReduces Weight by -50%", + "enchantment": "Weightless" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Weightless", + "Gain +0.2 flat Attack SpeedReduces Weight by -50%" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Marble Greataxe is a two-handed axe in Outward." + }, + { + "name": "Marble Greathammer", + "url": "https://outward.fandom.com/wiki/Marble_Greathammer", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Maces", + "Damage": "45", + "Durability": "450", + "Impact": "56", + "Item Set": "Marble Set", + "Object ID": "2120030", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7c/Marble_Greathammer.png/revision/latest?cb=20190412212136", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Marble Greathammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "45", + "description": "Two slashing strikes, left to right", + "impact": "56", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.64", + "damage": "33.75", + "description": "Blunt strike with high impact", + "impact": "112", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.64", + "damage": "63", + "description": "Powerful overhead strike", + "impact": "78.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.64", + "damage": "63", + "description": "Forward-running uppercut strike", + "impact": "78.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "45", + "56", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "33.75", + "112", + "8.64", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "63", + "78.4", + "8.64", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "63", + "78.4", + "8.64", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +0.2 flat Attack SpeedReduces Weight by -50%", + "enchantment": "Weightless" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Weightless", + "Gain +0.2 flat Attack SpeedReduces Weight by -50%" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Marble Greathammer is a two-handed mace in Outward." + }, + { + "name": "Marble Halberd", + "url": "https://outward.fandom.com/wiki/Marble_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Polearms", + "Damage": "41", + "Durability": "400", + "Impact": "49", + "Item Set": "Marble Set", + "Object ID": "2140030", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Halberd", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/dd/Marble_Halberd.png/revision/latest?cb=20190412213739", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Marble Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "41", + "description": "Two wide-sweeping strikes, left to right", + "impact": "49", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "53.3", + "description": "Forward-thrusting strike", + "impact": "63.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "53.3", + "description": "Wide-sweeping strike from left", + "impact": "63.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "69.7", + "description": "Slow but powerful sweeping strike", + "impact": "83.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "41", + "49", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "53.3", + "63.7", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "53.3", + "63.7", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "69.7", + "83.3", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +0.2 flat Attack SpeedReduces Weight by -50%", + "enchantment": "Weightless" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Weightless", + "Gain +0.2 flat Attack SpeedReduces Weight by -50%" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Marble Halberd is a halberd in Outward." + }, + { + "name": "Marble Morningstar", + "url": "https://outward.fandom.com/wiki/Marble_Morningstar", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "800", + "Class": "Maces", + "Damage": "43", + "Durability": "425", + "Effects": "Confusion", + "Impact": "45", + "Item Set": "Marble Set", + "Object ID": "2020040", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/84/Marble_Morningstar.png/revision/latest?cb=20190412211348", + "effects": [ + "Inflicts Confusion (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Marble Morningstar" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "43", + "description": "Two wide-sweeping strikes, right to left", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "55.9", + "description": "Slow, overhead strike with high impact", + "impact": "112.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "55.9", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "55.9", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "43", + "45", + "5.2", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "55.9", + "112.5", + "6.76", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "55.9", + "58.5", + "6.76", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "55.9", + "58.5", + "6.76", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +0.2 flat Attack SpeedReduces Weight by -50%", + "enchantment": "Weightless" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Weightless", + "Gain +0.2 flat Attack SpeedReduces Weight by -50%" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Marble Morningstar is a one-handed mace in Outward." + }, + { + "name": "Marble Shield", + "url": "https://outward.fandom.com/wiki/Marble_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Equipment" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Shields", + "Damage": "32", + "Durability": "260", + "Effects": "Confusion", + "Impact": "51", + "Impact Resist": "17%", + "Item Set": "Marble Set", + "Object ID": "2300090", + "Sell": "240", + "Type": "One-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/24/Marble_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407065828", + "effects": [ + "Inflicts Confusion (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Marble Shield" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Baron Montgomery" + } + ], + "raw_rows": [ + [ + "Baron Montgomery", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Marble Shield is a shield in Outward." + }, + { + "name": "Marble Spear", + "url": "https://outward.fandom.com/wiki/Marble_Spear", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Spears", + "Damage": "47", + "Durability": "325", + "Impact": "31", + "Item Set": "Marble Set", + "Object ID": "2130050", + "Sell": "300", + "Stamina Cost": "5.2", + "Type": "Two-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e8/Marble_Spear.png/revision/latest?cb=20190413070430", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Marble Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "47", + "description": "Two forward-thrusting stabs", + "impact": "31", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "65.8", + "description": "Forward-lunging strike", + "impact": "37.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "61.1", + "description": "Left-sweeping strike, jump back", + "impact": "37.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "56.4", + "description": "Fast spinning strike from the right", + "impact": "34.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "47", + "31", + "5.2", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "65.8", + "37.2", + "6.5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "61.1", + "37.2", + "6.5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "56.4", + "34.1", + "6.5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +0.2 flat Attack SpeedReduces Weight by -50%", + "enchantment": "Weightless" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Weightless", + "Gain +0.2 flat Attack SpeedReduces Weight by -50%" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Marble Spear is a spear in Outward." + }, + { + "name": "Marble Sword", + "url": "https://outward.fandom.com/wiki/Marble_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "800", + "Class": "Swords", + "Damage": "37", + "Durability": "300", + "Impact": "27", + "Item Set": "Marble Set", + "Object ID": "2000070", + "Sell": "240", + "Stamina Cost": "4.55", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a4/Marble_Sword.png/revision/latest?cb=20190413072058", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Marble Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.55", + "damage": "37", + "description": "Two slash attacks, left to right", + "impact": "27", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.46", + "damage": "55.32", + "description": "Forward-thrusting strike", + "impact": "35.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "46.81", + "description": "Heavy left-lunging strike", + "impact": "29.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "46.81", + "description": "Heavy right-lunging strike", + "impact": "29.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37", + "27", + "4.55", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "55.32", + "35.1", + "5.46", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "46.81", + "29.7", + "5.01", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "46.81", + "29.7", + "5.01", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +0.2 flat Attack SpeedReduces Weight by -50%", + "enchantment": "Weightless" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Weightless", + "Gain +0.2 flat Attack SpeedReduces Weight by -50%" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Marble Sword is a one-handed sword in Outward." + }, + { + "name": "Marshmelon", + "url": "https://outward.fandom.com/wiki/Marshmelon", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Stamina Recovery 4", + "Hunger": "20%", + "Object ID": "4000190", + "Perish Time": "4 Days", + "Sell": "2", + "Type": "Food", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/77/Marshmelon.png/revision/latest/scale-to-width-down/83?cb=20190410130432", + "effects": [ + "Restores 20% Hunger", + "Player receives Stamina Recovery (level 4)" + ], + "recipes": [ + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon" + }, + { + "result": "Grilled Marshmelon", + "result_count": "1x", + "ingredients": [ + "Marshmelon" + ], + "station": "Campfire", + "source_page": "Marshmelon" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Phytosaur Horn", + "Marshmelon" + ], + "station": "Alchemy Kit", + "source_page": "Marshmelon" + }, + { + "result": "Marshmelon Jelly", + "result_count": "1x", + "ingredients": [ + "Marshmelon", + "Marshmelon", + "Marshmelon", + "Gaberry Jam" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon" + }, + { + "result": "Savage Stew", + "result_count": "3x", + "ingredients": [ + "Raw Alpha Meat", + "Marshmelon", + "Gravel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Marshmelon" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "Marshmelon", + "result": "1x Grilled Marshmelon", + "station": "Campfire" + }, + { + "ingredients": "Phytosaur HornMarshmelon", + "result": "1x Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "MarshmelonMarshmelonMarshmelonGaberry Jam", + "result": "1x Marshmelon Jelly", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Raw Alpha MeatMarshmelonGravel Beetle", + "result": "3x Savage Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "1x Grilled Marshmelon", + "Marshmelon", + "Campfire" + ], + [ + "1x Life Potion", + "Phytosaur HornMarshmelon", + "Alchemy Kit" + ], + [ + "1x Marshmelon Jelly", + "MarshmelonMarshmelonMarshmelonGaberry Jam", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Savage Stew", + "Raw Alpha MeatMarshmelonGravel Beetle", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired from", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Marshmelon (Gatherable)" + } + ], + "raw_rows": [ + [ + "Marshmelon (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired from", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "2 - 24", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "20.8%", + "locations": "New Sirocco", + "quantity": "1 - 6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "17.8%", + "locations": "Berg", + "quantity": "1 - 6", + "source": "Vay the Alchemist" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Tuan the Alchemist" + }, + { + "chance": "11.5%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "11.4%", + "locations": "Giants' Village", + "quantity": "1 - 2", + "source": "Gold Belly" + }, + { + "chance": "11.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 2", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2 - 24", + "43.2%", + "New Sirocco" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 6", + "20.8%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "1 - 6", + "17.8%", + "Berg" + ], + [ + "Tuan the Alchemist", + "1 - 2", + "11.8%", + "Levant" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "11.5%", + "Cierzo" + ], + [ + "Gold Belly", + "1 - 2", + "11.4%", + "Giants' Village" + ], + [ + "Silver-Nose the Trader", + "1 - 2", + "11.4%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired from", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "29.8%", + "quantity": "1 - 3", + "source": "Phytosaur" + }, + { + "chance": "15.8%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "8.2%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "5.3%", + "quantity": "1 - 2", + "source": "Animated Skeleton" + }, + { + "chance": "5.3%", + "quantity": "1 - 2", + "source": "Marsh Bandit" + } + ], + "raw_rows": [ + [ + "Phytosaur", + "1 - 3", + "29.8%" + ], + [ + "Marsh Captain", + "1 - 4", + "15.8%" + ], + [ + "Marsh Archer", + "1 - 4", + "8.2%" + ], + [ + "Animated Skeleton", + "1 - 2", + "5.3%" + ], + [ + "Marsh Bandit", + "1 - 2", + "5.3%" + ] + ] + }, + { + "title": "Acquired from", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "27.3%", + "locations": "Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "27.3%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "27.3%", + "locations": "Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "27.3%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "27.3%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "27.3%", + "locations": "Dead Roots, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "27.3%", + "Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "27.3%", + "Giants' Village" + ], + [ + "Knight's Corpse", + "1", + "27.3%", + "Jade Quarry, Ziggurat Passage" + ], + [ + "Soldier's Corpse", + "1", + "27.3%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "27.3%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "27.3%", + "Dead Roots, Ziggurat Passage" + ] + ] + } + ], + "description": "Marshmelon is a food item in Outward and it is a type of Vegetable." + }, + { + "name": "Marshmelon Jelly", + "url": "https://outward.fandom.com/wiki/Marshmelon_Jelly", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Stamina Recovery 5", + "Hunger": "27.5%", + "Object ID": "4100420", + "Perish Time": "14 Days 21 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5d/Marshmelon_Jelly.png/revision/latest?cb=20190410132449", + "effects": [ + "Restores 27.5% Hunger", + "Player receives Stamina Recovery (level 5)" + ], + "recipes": [ + { + "result": "Marshmelon Jelly", + "result_count": "1x", + "ingredients": [ + "Marshmelon", + "Marshmelon", + "Marshmelon", + "Gaberry Jam" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon Jelly" + }, + { + "result": "Marshmelon Tartine", + "result_count": "3x", + "ingredients": [ + "Marshmelon Jelly", + "Bread (Any)" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon Jelly" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon Jelly" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Marshmelon Jelly" + }, + { + "result": "Vagabond's Gelatin", + "result_count": "1x", + "ingredients": [ + "Cool Rainbow Jam", + "Golden Jam", + "Gaberry Jam", + "Marshmelon Jelly" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon Jelly" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Marshmelon Marshmelon Marshmelon Gaberry Jam", + "result": "1x Marshmelon Jelly", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Marshmelon Jelly", + "Marshmelon Marshmelon Marshmelon Gaberry Jam", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipes / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Marshmelon JellyBread (Any)", + "result": "3x Marshmelon Tartine", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + }, + { + "ingredients": "Cool Rainbow JamGolden JamGaberry JamMarshmelon Jelly", + "result": "1x Vagabond's Gelatin", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Marshmelon Tartine", + "Marshmelon JellyBread (Any)", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ], + [ + "1x Vagabond's Gelatin", + "Cool Rainbow JamGolden JamGaberry JamMarshmelon Jelly", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired from", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "5 - 8", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Ountz the Melon Farmer", + "5 - 8", + "100%", + "Monsoon" + ], + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired from", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "18.2%", + "locations": "Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "18.2%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "18.2%", + "locations": "Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "18.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "18.2%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "18.2%", + "locations": "Dead Roots, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "18.2%", + "Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "18.2%", + "Giants' Village" + ], + [ + "Knight's Corpse", + "1", + "18.2%", + "Jade Quarry, Ziggurat Passage" + ], + [ + "Soldier's Corpse", + "1", + "18.2%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "18.2%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "18.2%", + "Dead Roots, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Marshmelon Jelly is a food item in Outward." + }, + { + "name": "Marshmelon Tartine", + "url": "https://outward.fandom.com/wiki/Marshmelon_Tartine", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Stamina Recovery 5", + "Hunger": "17.5%", + "Object ID": "4100430", + "Perish Time": "19 Days 20 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e4/Marshmelon_Tartine.png/revision/latest/scale-to-width-down/83?cb=20190410133802", + "effects": [ + "Restores 17.5% Hunger", + "Player receives Stamina Recovery (level 5)" + ], + "recipes": [ + { + "result": "Marshmelon Tartine", + "result_count": "3x", + "ingredients": [ + "Marshmelon Jelly", + "Bread (Any)" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon Tartine" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Marshmelon Tartine" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Marshmelon Tartine" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Marshmelon Jelly Bread (Any)", + "result": "3x Marshmelon Tartine", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Marshmelon Tartine", + "Marshmelon Jelly Bread (Any)", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipes / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired from", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "15.8%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "15.3%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + } + ], + "raw_rows": [ + [ + "Marsh Captain", + "1 - 4", + "15.8%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "15.3%" + ] + ] + }, + { + "title": "Acquired from", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "18.2%", + "locations": "Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "18.2%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "18.2%", + "locations": "Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "18.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "18.2%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "18.2%", + "locations": "Dead Roots, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "18.2%", + "Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "18.2%", + "Giants' Village" + ], + [ + "Knight's Corpse", + "1", + "18.2%", + "Jade Quarry, Ziggurat Passage" + ], + [ + "Soldier's Corpse", + "1", + "18.2%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "18.2%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "18.2%", + "Dead Roots, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Marshmelon Tartine is a food item in Outward." + }, + { + "name": "Master Desert Boots", + "url": "https://outward.fandom.com/wiki/Master_Desert_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "300", + "Damage Resist": "14%", + "Durability": "300", + "Hot Weather Def.": "8", + "Impact Resist": "11%", + "Item Set": "Master Desert Set", + "Movement Speed": "5%", + "Object ID": "3000322", + "Protection": "1", + "Sell": "90", + "Slot": "Legs", + "Stamina Cost": "-3%", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/19/Master_Desert_Boots.png/revision/latest?cb=20190629155333", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Desert Boots", + "upgrade": "Master Desert Boots" + } + ], + "raw_rows": [ + [ + "Desert Boots", + "Master Desert Boots" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Master Desert Boots is a type of Armor in Outward." + }, + { + "name": "Master Desert Set", + "url": "https://outward.fandom.com/wiki/Master_Desert_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1150", + "Damage Resist": "50%", + "Durability": "1020", + "Hot Weather Def.": "32", + "Impact Resist": "39%", + "Mana Cost": "-15%", + "Movement Speed": "15%", + "Object ID": "3000322 (Legs)3000320 (Chest)3000321 (Head)", + "Protection": "4", + "Sell": "345", + "Slot": "Set", + "Stamina Cost": "-13%", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/51/Master_Desert_Set.png/revision/latest/scale-to-width-down/250?cb=20190910071552", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "11%", + "column_5": "1", + "column_6": "8", + "column_7": "-3%", + "column_8": "–", + "column_9": "5%", + "durability": "300", + "name": "Master Desert Boots", + "resistances": "14%", + "weight": "5.0" + }, + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "2", + "column_6": "16", + "column_7": "-7%", + "column_8": "–", + "column_9": "5%", + "durability": "420", + "name": "Master Desert Tunic", + "resistances": "22%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "11%", + "column_5": "1", + "column_6": "8", + "column_7": "-3%", + "column_8": "-15%", + "column_9": "5%", + "durability": "300", + "name": "Master Desert Veil", + "resistances": "14%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Master Desert Boots", + "14%", + "11%", + "1", + "8", + "-3%", + "–", + "5%", + "300", + "5.0", + "Boots" + ], + [ + "", + "Master Desert Tunic", + "22%", + "17%", + "2", + "16", + "-7%", + "–", + "5%", + "420", + "8.0", + "Body Armor" + ], + [ + "", + "Master Desert Veil", + "14%", + "11%", + "1", + "8", + "-3%", + "-15%", + "5%", + "300", + "2.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "11%", + "column_5": "1", + "column_6": "8", + "column_7": "-3%", + "column_8": "–", + "column_9": "5%", + "durability": "300", + "name": "Master Desert Boots", + "resistances": "14%", + "weight": "5.0" + }, + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "2", + "column_6": "16", + "column_7": "-7%", + "column_8": "–", + "column_9": "5%", + "durability": "420", + "name": "Master Desert Tunic", + "resistances": "22%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "11%", + "column_5": "1", + "column_6": "8", + "column_7": "-3%", + "column_8": "-15%", + "column_9": "5%", + "durability": "300", + "name": "Master Desert Veil", + "resistances": "14%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Master Desert Boots", + "14%", + "11%", + "1", + "8", + "-3%", + "–", + "5%", + "300", + "5.0", + "Boots" + ], + [ + "", + "Master Desert Tunic", + "22%", + "17%", + "2", + "16", + "-7%", + "–", + "5%", + "420", + "8.0", + "Body Armor" + ], + [ + "", + "Master Desert Veil", + "14%", + "11%", + "1", + "8", + "-3%", + "-15%", + "5%", + "300", + "2.0", + "Helmets" + ] + ] + } + ], + "description": "Master Desert Set is an armor Set in Outward." + }, + { + "name": "Master Desert Tunic", + "url": "https://outward.fandom.com/wiki/Master_Desert_Tunic", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "550", + "Damage Resist": "22%", + "Durability": "420", + "Hot Weather Def.": "16", + "Impact Resist": "17%", + "Item Set": "Master Desert Set", + "Movement Speed": "5%", + "Object ID": "3000320", + "Protection": "2", + "Sell": "165", + "Slot": "Chest", + "Stamina Cost": "-7%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/36/Master_Desert_Tunic.png/revision/latest?cb=20190629155335", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Elite Desert Tunic", + "upgrade": "Master Desert Tunic" + } + ], + "raw_rows": [ + [ + "Elite Desert Tunic", + "Master Desert Tunic" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +25% Fire damage bonus", + "enchantment": "Spirit of Levant" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Levant", + "Gain +25% Fire damage bonus" + ] + ] + } + ], + "description": "Master Desert Tunic is a type of Armor in Outward." + }, + { + "name": "Master Desert Veil", + "url": "https://outward.fandom.com/wiki/Master_Desert_Veil", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Damage Resist": "14%", + "Durability": "300", + "Hot Weather Def.": "8", + "Impact Resist": "11%", + "Item Set": "Master Desert Set", + "Mana Cost": "-15%", + "Movement Speed": "5%", + "Object ID": "3000321", + "Protection": "1", + "Sell": "90", + "Slot": "Head", + "Stamina Cost": "-3%", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9f/Master_Desert_Veil.png/revision/latest?cb=20190629155336", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Elite Desert Veil", + "upgrade": "Master Desert Veil" + } + ], + "raw_rows": [ + [ + "Elite Desert Veil", + "Master Desert Veil" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Master Desert Veil is a type of Armor in Outward." + }, + { + "name": "Master Kazite Armor", + "url": "https://outward.fandom.com/wiki/Master_Kazite_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "550", + "Damage Resist": "21% 10%", + "Durability": "345", + "Impact Resist": "17%", + "Item Set": "Master Kazite Set", + "Object ID": "3100190", + "Protection": "3", + "Sell": "165", + "Slot": "Chest", + "Stamina Cost": "-4%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6e/Master_Kazite_Armor.png/revision/latest?cb=20190629155338", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kazite Armor", + "upgrade": "Master Kazite Armor" + } + ], + "raw_rows": [ + [ + "Kazite Armor", + "Master Kazite Armor" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Master Kazite Armor is a type of Armor in Outward." + }, + { + "name": "Master Kazite Boots", + "url": "https://outward.fandom.com/wiki/Master_Kazite_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "300", + "Damage Resist": "12% 5%", + "Durability": "345", + "Impact Resist": "12%", + "Item Set": "Master Kazite Set", + "Object ID": "3100192", + "Protection": "1", + "Sell": "90", + "Slot": "Legs", + "Stamina Cost": "-6%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/14/Master_Kazite_Boots.png/revision/latest?cb=20190629155339", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kazite Boots", + "upgrade": "Master Kazite Boots" + } + ], + "raw_rows": [ + [ + "Kazite Boots", + "Master Kazite Boots" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Gain +20% Stability regeneration rate", + "enchantment": "Compass" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Compass", + "Gain +20% Stability regeneration rate" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Master Kazite Boots is a type of Armor in Outward." + }, + { + "name": "Master Kazite Cat Mask", + "url": "https://outward.fandom.com/wiki/Master_Kazite_Cat_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Cooldown Reduction": "8%", + "Damage Resist": "12% 5%", + "Durability": "345", + "Impact Resist": "12%", + "Item Set": "Master Kazite Set", + "Mana Cost": "10%", + "Object ID": "3100193", + "Protection": "1", + "Sell": "90", + "Slot": "Head", + "Stamina Cost": "-6%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/dd/Master_Kazite_Cat_Mask.png/revision/latest?cb=20190629155340", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kazite Cat Mask", + "upgrade": "Master Kazite Cat Mask" + } + ], + "raw_rows": [ + [ + "Kazite Cat Mask", + "Master Kazite Cat Mask" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Master Kazite Cat Mask is a type of Armor in Outward." + }, + { + "name": "Master Kazite Mask", + "url": "https://outward.fandom.com/wiki/Master_Kazite_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Damage Resist": "12% 5%", + "Durability": "345", + "Impact Resist": "12%", + "Item Set": "Master Kazite Set", + "Mana Cost": "10%", + "Object ID": "3100194", + "Protection": "1", + "Sell": "90", + "Slot": "Head", + "Stamina Cost": "-16%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9b/Master_Kazite_Mask.png/revision/latest?cb=20190629155344", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kazite Mask", + "upgrade": "Master Kazite Mask" + } + ], + "raw_rows": [ + [ + "Kazite Mask", + "Master Kazite Mask" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Master Kazite Mask is a type of Armor in Outward." + }, + { + "name": "Master Kazite Oni Mask", + "url": "https://outward.fandom.com/wiki/Master_Kazite_Oni_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Damage Bonus": "10%", + "Damage Resist": "12% 5%", + "Durability": "345", + "Impact Resist": "12%", + "Item Set": "Master Kazite Set", + "Mana Cost": "10%", + "Object ID": "3100191", + "Protection": "1", + "Sell": "90", + "Slot": "Head", + "Stamina Cost": "-6%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/79/Master_Kazite_Oni_Mask.png/revision/latest?cb=20190629155342", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kazite Oni Mask", + "upgrade": "Master Kazite Oni Mask" + } + ], + "raw_rows": [ + [ + "Kazite Oni Mask", + "Master Kazite Oni Mask" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Master Kazite Oni Mask is a type of Armor in Outward." + }, + { + "name": "Master Kazite Set", + "url": "https://outward.fandom.com/wiki/Master_Kazite_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1150", + "Damage Resist": "45% 20%", + "Durability": "1035", + "Impact Resist": "41%", + "Mana Cost": "10%", + "Object ID": "3100190 (Chest)3100192 (Legs)3100194 (Head)", + "Protection": "5", + "Sell": "345", + "Slot": "Set", + "Stamina Cost": "-26%", + "Weight": "16.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f1/Master_Kazite_Set.png/revision/latest/scale-to-width-down/250?cb=20190910071556", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "3", + "column_7": "-4%", + "column_8": "–", + "column_9": "–", + "damage_bonus%": "–", + "durability": "345", + "name": "Master Kazite Armor", + "resistances": "21% 10%", + "weight": "10.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "1", + "column_7": "-6%", + "column_8": "–", + "column_9": "–", + "damage_bonus%": "–", + "durability": "345", + "name": "Master Kazite Boots", + "resistances": "12% 5%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "1", + "column_7": "-6%", + "column_8": "10%", + "column_9": "8%", + "damage_bonus%": "–", + "durability": "345", + "name": "Master Kazite Cat Mask", + "resistances": "12% 5%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "1", + "column_7": "-16%", + "column_8": "10%", + "column_9": "–", + "damage_bonus%": "–", + "durability": "345", + "name": "Master Kazite Mask", + "resistances": "12% 5%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "1", + "column_7": "-6%", + "column_8": "10%", + "column_9": "–", + "damage_bonus%": "10%", + "durability": "345", + "name": "Master Kazite Oni Mask", + "resistances": "12% 5%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Master Kazite Armor", + "21% 10%", + "17%", + "3", + "–", + "-4%", + "–", + "–", + "345", + "10.0", + "Body Armor" + ], + [ + "", + "Master Kazite Boots", + "12% 5%", + "12%", + "1", + "–", + "-6%", + "–", + "–", + "345", + "3.0", + "Boots" + ], + [ + "", + "Master Kazite Cat Mask", + "12% 5%", + "12%", + "1", + "–", + "-6%", + "10%", + "8%", + "345", + "3.0", + "Helmets" + ], + [ + "", + "Master Kazite Mask", + "12% 5%", + "12%", + "1", + "–", + "-16%", + "10%", + "–", + "345", + "3.0", + "Helmets" + ], + [ + "", + "Master Kazite Oni Mask", + "12% 5%", + "12%", + "1", + "10%", + "-6%", + "10%", + "–", + "345", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "3", + "column_7": "-4%", + "column_8": "–", + "column_9": "–", + "damage_bonus%": "–", + "durability": "345", + "name": "Master Kazite Armor", + "resistances": "21% 10%", + "weight": "10.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "1", + "column_7": "-6%", + "column_8": "–", + "column_9": "–", + "damage_bonus%": "–", + "durability": "345", + "name": "Master Kazite Boots", + "resistances": "12% 5%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "1", + "column_7": "-6%", + "column_8": "10%", + "column_9": "8%", + "damage_bonus%": "–", + "durability": "345", + "name": "Master Kazite Cat Mask", + "resistances": "12% 5%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "1", + "column_7": "-16%", + "column_8": "10%", + "column_9": "–", + "damage_bonus%": "–", + "durability": "345", + "name": "Master Kazite Mask", + "resistances": "12% 5%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "1", + "column_7": "-6%", + "column_8": "10%", + "column_9": "–", + "damage_bonus%": "10%", + "durability": "345", + "name": "Master Kazite Oni Mask", + "resistances": "12% 5%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Master Kazite Armor", + "21% 10%", + "17%", + "3", + "–", + "-4%", + "–", + "–", + "345", + "10.0", + "Body Armor" + ], + [ + "", + "Master Kazite Boots", + "12% 5%", + "12%", + "1", + "–", + "-6%", + "–", + "–", + "345", + "3.0", + "Boots" + ], + [ + "", + "Master Kazite Cat Mask", + "12% 5%", + "12%", + "1", + "–", + "-6%", + "10%", + "8%", + "345", + "3.0", + "Helmets" + ], + [ + "", + "Master Kazite Mask", + "12% 5%", + "12%", + "1", + "–", + "-16%", + "10%", + "–", + "345", + "3.0", + "Helmets" + ], + [ + "", + "Master Kazite Oni Mask", + "12% 5%", + "12%", + "1", + "10%", + "-6%", + "10%", + "–", + "345", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Master Kazite Set is a Set in Outward." + }, + { + "name": "Master Trader Boots", + "url": "https://outward.fandom.com/wiki/Master_Trader_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "240", + "Cold Weather Def.": "5", + "Damage Resist": "7%", + "Durability": "245", + "Hot Weather Def.": "5", + "Impact Resist": "6%", + "Item Set": "Master Trader Set", + "Movement Speed": "15%", + "Object ID": "3000232", + "Pouch Bonus": "2", + "Sell": "79", + "Slot": "Legs", + "Stamina Cost": "-5%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c5/Master_Trader_Boots.png/revision/latest?cb=20190415154335", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33.2%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "100%", + "Antique Plateau" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "30.3%", + "quantity": "1", + "source": "That Annoying Troglodyte" + } + ], + "raw_rows": [ + [ + "That Annoying Troglodyte", + "1", + "30.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Spire of Light", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Jade Quarry", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Jade Quarry", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Spire of Light" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Jade Quarry" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Jade Quarry" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Master Trader Boots is a type of Armor in Outward." + }, + { + "name": "Master Trader Garb", + "url": "https://outward.fandom.com/wiki/Master_Trader_Garb", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "420", + "Cold Weather Def.": "10", + "Damage Resist": "13%", + "Durability": "245", + "Hot Weather Def.": "10", + "Impact Resist": "7%", + "Item Set": "Master Trader Set", + "Movement Speed": "5%", + "Object ID": "3000230", + "Pouch Bonus": "8", + "Sell": "139", + "Slot": "Chest", + "Stamina Cost": "-10%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c9/Master_Trader_Garb.png/revision/latest?cb=20190415121818", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33.2%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Hallowed Marsh" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "11.9%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "100%", + "Antique Plateau" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Dolmen Crypt", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Dolmen Crypt" + ], + [ + "Chest", + "1", + "5.9%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Ancestor's Resting Place" + ], + [ + "Stash", + "1", + "5.9%", + "Berg" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Master Trader Garb is a type of Armor in Outward." + }, + { + "name": "Master Trader Hat", + "url": "https://outward.fandom.com/wiki/Master_Trader_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "240", + "Cold Weather Def.": "5", + "Damage Resist": "7%", + "Durability": "245", + "Hot Weather Def.": "5", + "Impact Resist": "4%", + "Item Set": "Master Trader Set", + "Movement Speed": "5%", + "Object ID": "3000231", + "Pouch Bonus": "2", + "Sell": "72", + "Slot": "Head", + "Stamina Cost": "-15%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2c/Master_Trader_Hat.png/revision/latest?cb=20190407080228", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33.2%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "33.2%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "10.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "33.2%", + "Hallowed Marsh" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "10.9%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "100%", + "Antique Plateau" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Stone Titan Caves", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, Electric Lab, The Slide, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Captain's Cabin, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Levant", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Stone Titan Caves" + ], + [ + "Chest", + "1", + "5.9%", + "Abrassar, Electric Lab, The Slide, Undercity Passage" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Captain's Cabin, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Abrassar, The Slide, Undercity Passage" + ], + [ + "Stash", + "1", + "5.9%", + "Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Master Trader Hat is a type of Armor in Outward." + }, + { + "name": "Master Trader Set", + "url": "https://outward.fandom.com/wiki/Master_Trader_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "900", + "Cold Weather Def.": "20", + "Damage Resist": "27%", + "Durability": "735", + "Hot Weather Def.": "20", + "Impact Resist": "17%", + "Movement Speed": "25%", + "Object ID": "3000232 (Legs)3000230 (Chest)3000231 (Head)", + "Pouch Bonus": "12", + "Sell": "290", + "Slot": "Set", + "Stamina Cost": "-30%", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5f/MTSet.png/revision/latest/scale-to-width-down/191?cb=20190404200744", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "6%", + "column_5": "5", + "column_6": "5", + "column_7": "-5%", + "column_8": "15%", + "durability": "245", + "name": "Master Trader Boots", + "pouch_bonus": "2", + "resistances": "7%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "7%", + "column_5": "10", + "column_6": "10", + "column_7": "-10%", + "column_8": "5%", + "durability": "245", + "name": "Master Trader Garb", + "pouch_bonus": "8", + "resistances": "13%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "4%", + "column_5": "5", + "column_6": "5", + "column_7": "-15%", + "column_8": "5%", + "durability": "245", + "name": "Master Trader Hat", + "pouch_bonus": "2", + "resistances": "7%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Master Trader Boots", + "7%", + "6%", + "5", + "5", + "-5%", + "15%", + "2", + "245", + "1.0", + "Boots" + ], + [ + "", + "Master Trader Garb", + "13%", + "7%", + "10", + "10", + "-10%", + "5%", + "8", + "245", + "3.0", + "Body Armor" + ], + [ + "", + "Master Trader Hat", + "7%", + "4%", + "5", + "5", + "-15%", + "5%", + "2", + "245", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "6%", + "column_5": "5", + "column_6": "5", + "column_7": "-5%", + "column_8": "15%", + "durability": "245", + "name": "Master Trader Boots", + "pouch_bonus": "2", + "resistances": "7%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "7%", + "column_5": "10", + "column_6": "10", + "column_7": "-10%", + "column_8": "5%", + "durability": "245", + "name": "Master Trader Garb", + "pouch_bonus": "8", + "resistances": "13%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "4%", + "column_5": "5", + "column_6": "5", + "column_7": "-15%", + "column_8": "5%", + "durability": "245", + "name": "Master Trader Hat", + "pouch_bonus": "2", + "resistances": "7%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Master Trader Boots", + "7%", + "6%", + "5", + "5", + "-5%", + "15%", + "2", + "245", + "1.0", + "Boots" + ], + [ + "", + "Master Trader Garb", + "13%", + "7%", + "10", + "10", + "-10%", + "5%", + "8", + "245", + "3.0", + "Body Armor" + ], + [ + "", + "Master Trader Hat", + "7%", + "4%", + "5", + "5", + "-15%", + "5%", + "2", + "245", + "1.0", + "Helmets" + ] + ] + } + ], + "description": "Master Trader Set is a Set in Outward." + }, + { + "name": "Master's Staff", + "url": "https://outward.fandom.com/wiki/Master%27s_Staff", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "Damage": "29", + "Durability": "225", + "Impact": "41", + "Mana Cost": "-20%", + "Object ID": "2150050", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Staff", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/87/Master%E2%80%99s_Staff.png/revision/latest?cb=20190412214217", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "29", + "description": "Two wide-sweeping strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "37.7", + "description": "Forward-thrusting strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "37.7", + "description": "Wide-sweeping strike from left", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "49.3", + "description": "Slow but powerful sweeping strike", + "impact": "69.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29", + "41", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "37.7", + "53.3", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "37.7", + "53.3", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.3", + "69.7", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Gain +10% Cooldown Reduction", + "enchantment": "Isolated Rumination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Isolated Rumination", + "Gain +10% Cooldown Reduction" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1", + "100%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1", + "100%", + "Conflux Chambers" + ], + [ + "Luc Salaberry, Alchemist", + "1", + "100%", + "New Sirocco" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Master's Staff is a staff in Outward." + }, + { + "name": "Masterpiece Axe", + "url": "https://outward.fandom.com/wiki/Masterpiece_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "45", + "Durability": "380", + "Effects": "Increases the damage of weapon skills", + "Impact": "32", + "Item Set": "Masterpiece Set", + "Object ID": "2010205", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/89/Masterpiece_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220075051", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "45", + "description": "Two slashing strikes, right to left", + "impact": "32", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.72", + "damage": "58.5", + "description": "Fast, triple-attack strike", + "impact": "41.6", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "58.5", + "description": "Quick double strike", + "impact": "41.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "58.5", + "description": "Wide-sweeping double strike", + "impact": "41.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "45", + "32", + "5.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "58.5", + "41.6", + "6.72", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "58.5", + "41.6", + "6.72", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "58.5", + "41.6", + "6.72", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Damascene Axe", + "upgrade": "Masterpiece Axe" + } + ], + "raw_rows": [ + [ + "Damascene Axe", + "Masterpiece Axe" + ] + ] + } + ], + "description": "Masterpiece Axe is a type of Weapon in Outward." + }, + { + "name": "Masterpiece Bow", + "url": "https://outward.fandom.com/wiki/Masterpiece_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "45", + "Durability": "430", + "Effects": "Increases the damage of weapon skills", + "Impact": "19", + "Item Set": "Masterpiece Set", + "Object ID": "2200135", + "Sell": "750", + "Stamina Cost": "3.22", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7f/Masterpiece_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220075052", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Damascene Bow", + "upgrade": "Masterpiece Bow" + } + ], + "raw_rows": [ + [ + "Damascene Bow", + "Masterpiece Bow" + ] + ] + } + ], + "description": "Masterpiece Bow is a type of Weapon in Outward." + }, + { + "name": "Masterpiece Claymore", + "url": "https://outward.fandom.com/wiki/Masterpiece_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "57", + "Durability": "455", + "Effects": "Increases the damage of weapon skills", + "Impact": "50", + "Item Set": "Masterpiece Set", + "Object ID": "2100225", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/38/Masterpiece_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220075053", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "57", + "description": "Two slashing strikes, left to right", + "impact": "50", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10.01", + "damage": "85.5", + "description": "Overhead downward-thrusting strike", + "impact": "75", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "72.1", + "description": "Spinning strike from the right", + "impact": "55", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "72.1", + "description": "Spinning strike from the left", + "impact": "55", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "57", + "50", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "85.5", + "75", + "10.01", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "72.1", + "55", + "8.47", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "72.1", + "55", + "8.47", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Damascene Claymore", + "upgrade": "Masterpiece Claymore" + } + ], + "raw_rows": [ + [ + "Damascene Claymore", + "Masterpiece Claymore" + ] + ] + } + ], + "description": "Masterpiece Claymore is a type of Weapon in Outward." + }, + { + "name": "Masterpiece Greataxe", + "url": "https://outward.fandom.com/wiki/Masterpiece_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "57", + "Durability": "430", + "Effects": "Increases the damage of weapon skills", + "Impact": "45", + "Item Set": "Masterpiece Set", + "Object ID": "2110185", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f6/Masterpiece_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220075054", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "57", + "description": "Two slashing strikes, left to right", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "74.1", + "description": "Uppercut strike into right sweep strike", + "impact": "58.5", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "74.1", + "description": "Left-spinning double strike", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.4", + "damage": "74.1", + "description": "Right-spinning double strike", + "impact": "58.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "57", + "45", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "74.1", + "58.5", + "10.59", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "74.1", + "58.5", + "10.59", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "74.1", + "58.5", + "10.4", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Damascene Greataxe", + "upgrade": "Masterpiece Greataxe" + } + ], + "raw_rows": [ + [ + "Damascene Greataxe", + "Masterpiece Greataxe" + ] + ] + } + ], + "description": "Masterpiece Greataxe is a type of Weapon in Outward." + }, + { + "name": "Masterpiece Halberd", + "url": "https://outward.fandom.com/wiki/Masterpiece_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "51", + "Durability": "430", + "Effects": "Increases the damage of weapon skills", + "Impact": "55", + "Item Set": "Masterpiece Set", + "Object ID": "2150065", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/48/Masterpiece_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220075056", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "51", + "description": "Two wide-sweeping strikes, left to right", + "impact": "55", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "66.3", + "description": "Forward-thrusting strike", + "impact": "71.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "66.3", + "description": "Wide-sweeping strike from left", + "impact": "71.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "86.7", + "description": "Slow but powerful sweeping strike", + "impact": "93.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "51", + "55", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "66.3", + "71.5", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "66.3", + "71.5", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "86.7", + "93.5", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Damascene Halberd", + "upgrade": "Masterpiece Halberd" + } + ], + "raw_rows": [ + [ + "Damascene Halberd", + "Masterpiece Halberd" + ] + ] + } + ], + "description": "Masterpiece Halberd is a type of Weapon in Outward." + }, + { + "name": "Masterpiece Hammer", + "url": "https://outward.fandom.com/wiki/Masterpiece_Hammer", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "64", + "Durability": "480", + "Effects": "Increases the damage of weapon skills", + "Impact": "58", + "Item Set": "Masterpiece Set", + "Object ID": "2120205", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/ce/Masterpiece_Hammer.png/revision/latest/scale-to-width-down/83?cb=20201220075057", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "64", + "description": "Two slashing strikes, left to right", + "impact": "58", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "48", + "description": "Blunt strike with high impact", + "impact": "116", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "89.6", + "description": "Powerful overhead strike", + "impact": "81.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "89.6", + "description": "Forward-running uppercut strike", + "impact": "81.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "64", + "58", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "48", + "116", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "89.6", + "81.2", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "89.6", + "81.2", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Damascene Hammer", + "upgrade": "Masterpiece Hammer" + } + ], + "raw_rows": [ + [ + "Damascene Hammer", + "Masterpiece Hammer" + ] + ] + } + ], + "description": "Masterpiece Hammer is a type of Weapon in Outward." + }, + { + "name": "Masterpiece Knuckles", + "url": "https://outward.fandom.com/wiki/Masterpiece_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "39", + "Durability": "355", + "Effects": "Increases the damage of weapon skills", + "Impact": "20", + "Item Set": "Masterpiece Set", + "Object ID": "2160155", + "Sell": "600", + "Stamina Cost": "2.8", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/73/Masterpiece_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220075058", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.8", + "damage": "39", + "description": "Four fast punches, right to left", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.64", + "damage": "50.7", + "description": "Forward-lunging left hook", + "impact": "26", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "50.7", + "description": "Left dodging, left uppercut", + "impact": "26", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "50.7", + "description": "Right dodging, right spinning hammer strike", + "impact": "26", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "39", + "20", + "2.8", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "50.7", + "26", + "3.64", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "50.7", + "26", + "3.36", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "50.7", + "26", + "3.36", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Damascene Knuckles", + "upgrade": "Masterpiece Knuckles" + } + ], + "raw_rows": [ + [ + "Damascene Knuckles", + "Masterpiece Knuckles" + ] + ] + } + ], + "description": "Masterpiece Knuckles is a type of Weapon in Outward." + }, + { + "name": "Masterpiece Mace", + "url": "https://outward.fandom.com/wiki/Masterpiece_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "49", + "Durability": "455", + "Effects": "Increases the damage of weapon skills", + "Impact": "48", + "Item Set": "Masterpiece Set", + "Object ID": "2020245", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4c/Masterpiece_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220075059", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "49", + "description": "Two wide-sweeping strikes, right to left", + "impact": "48", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "63.7", + "description": "Slow, overhead strike with high impact", + "impact": "120", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "63.7", + "description": "Fast, forward-thrusting strike", + "impact": "62.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "63.7", + "description": "Fast, forward-thrusting strike", + "impact": "62.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "49", + "48", + "5.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "63.7", + "120", + "7.28", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "63.7", + "62.4", + "7.28", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "63.7", + "62.4", + "7.28", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Damascene Mace", + "upgrade": "Masterpiece Mace" + } + ], + "raw_rows": [ + [ + "Damascene Mace", + "Masterpiece Mace" + ] + ] + } + ], + "description": "Masterpiece Mace is a type of Weapon in Outward." + }, + { + "name": "Masterpiece Spear", + "url": "https://outward.fandom.com/wiki/Masterpiece_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "54", + "Durability": "355", + "Effects": "Increases the damage of weapon skills", + "Impact": "31", + "Item Set": "Masterpiece Set", + "Object ID": "2130237", + "Sell": "750", + "Stamina Cost": "5.6", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/58/Masterpiece_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220075101", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "54", + "description": "Two forward-thrusting stabs", + "impact": "31", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7", + "damage": "75.6", + "description": "Forward-lunging strike", + "impact": "37.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "70.2", + "description": "Left-sweeping strike, jump back", + "impact": "37.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "64.8", + "description": "Fast spinning strike from the right", + "impact": "34.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "54", + "31", + "5.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "75.6", + "37.2", + "7", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "70.2", + "37.2", + "7", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "64.8", + "34.1", + "7", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Damascene Spear", + "upgrade": "Masterpiece Spear" + } + ], + "raw_rows": [ + [ + "Damascene Spear", + "Masterpiece Spear" + ] + ] + } + ], + "description": "Masterpiece Spear is a type of Weapon in Outward." + }, + { + "name": "Masterpiece Sword", + "url": "https://outward.fandom.com/wiki/Masterpiece_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "43", + "Durability": "330", + "Effects": "Increases the damage of weapon skills", + "Impact": "29", + "Item Set": "Masterpiece Set", + "Object ID": "2000235", + "Sell": "600", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6c/Masterpiece_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220075102", + "effects": [ + "Grants 25% bonus to all damage from Main Weapon Skills (including Bow and Dagger skills)" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.9", + "damage": "43", + "description": "Two slash attacks, left to right", + "impact": "29", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.88", + "damage": "64.29", + "description": "Forward-thrusting strike", + "impact": "37.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "54.4", + "description": "Heavy left-lunging strike", + "impact": "31.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "54.4", + "description": "Heavy right-lunging strike", + "impact": "31.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "43", + "29", + "4.9", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "64.29", + "37.7", + "5.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "54.4", + "31.9", + "5.39", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "54.4", + "31.9", + "5.39", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Elemental Vulnerability (20% buildup)", + "enchantment": "Etherwave" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Etherwave", + "Weapon inflicts Elemental Vulnerability (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Damascene Sword", + "upgrade": "Masterpiece Sword" + } + ], + "raw_rows": [ + [ + "Damascene Sword", + "Masterpiece Sword" + ] + ] + } + ], + "description": "Masterpiece Sword is a type of Weapon in Outward." + }, + { + "name": "Meat Stew", + "url": "https://outward.fandom.com/wiki/Meat_Stew", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Health Recovery 3", + "Hunger": "27.5%", + "Object ID": "4100220", + "Perish Time": "9 Days 22 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ec/Meat_Stew.png/revision/latest/scale-to-width-down/83?cb=20190410132517", + "effects": [ + "Restores 27.5% Hunger", + "Player receives Health Recovery (level 3)" + ], + "recipes": [ + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Meat Stew" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Meat Stew" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Meat Stew" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Meat Vegetable Salt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Meat Stew", + "Meat Vegetable Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipes / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "5 - 7", + "source": "Master-Chef Arago" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "4 - 6", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Master-Chef Arago", + "5 - 7", + "100%", + "Cierzo" + ], + [ + "Pelletier Baker, Chef", + "4 - 6", + "100%", + "Harmattan" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Meat Stew is a food item in Outward." + }, + { + "name": "Medium Ruby", + "url": "https://outward.fandom.com/wiki/Medium_Ruby", + "categories": [ + "Gemstone", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "60", + "Object ID": "6200110", + "Sell": "60", + "Type": "Gemstone", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fb/Medium_Ruby.png/revision/latest/scale-to-width-down/83?cb=20200316064629", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "12.3%", + "quantity": "1 - 2", + "source": "Rich Iron Vein" + }, + { + "chance": "8.6%", + "quantity": "1", + "source": "Palladium Vein" + }, + { + "chance": "8.6%", + "quantity": "1", + "source": "Palladium Vein (Tourmaline)" + }, + { + "chance": "4.8%", + "quantity": "1", + "source": "Chalcedony Vein" + }, + { + "chance": "4.8%", + "quantity": "1", + "source": "Hexa Stone Vein" + }, + { + "chance": "3.3%", + "quantity": "1", + "source": "Iron Vein" + } + ], + "raw_rows": [ + [ + "Rich Iron Vein", + "1 - 2", + "12.3%" + ], + [ + "Palladium Vein", + "1", + "8.6%" + ], + [ + "Palladium Vein (Tourmaline)", + "1", + "8.6%" + ], + [ + "Chalcedony Vein", + "1", + "4.8%" + ], + [ + "Hexa Stone Vein", + "1", + "4.8%" + ], + [ + "Iron Vein", + "1", + "3.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "46.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "40.5%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "32.1%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "46.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "40.5%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "32.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "89.8%", + "quantity": "1 - 15", + "source": "She Who Speaks" + }, + { + "chance": "47.2%", + "quantity": "1 - 5", + "source": "Ash Giant Priest" + }, + { + "chance": "47.2%", + "quantity": "1 - 5", + "source": "Giant Hunter" + }, + { + "chance": "44.5%", + "quantity": "2", + "source": "Concealed Knight: ???" + }, + { + "chance": "43.8%", + "quantity": "1 - 2", + "source": "Scarlet Emissary" + }, + { + "chance": "18.6%", + "quantity": "1 - 4", + "source": "Ash Giant" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Gastrocin" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Jewelbird" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Volcanic Gastrocin" + }, + { + "chance": "16.2%", + "quantity": "1 - 2", + "source": "Altered Gargoyle" + }, + { + "chance": "16.2%", + "quantity": "1 - 2", + "source": "Cracked Gargoyle" + }, + { + "chance": "16.2%", + "quantity": "1 - 2", + "source": "Gargoyle" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Ghost (Red)" + }, + { + "chance": "3.5%", + "quantity": "1 - 2", + "source": "Animated Skeleton (Miner)" + } + ], + "raw_rows": [ + [ + "She Who Speaks", + "1 - 15", + "89.8%" + ], + [ + "Ash Giant Priest", + "1 - 5", + "47.2%" + ], + [ + "Giant Hunter", + "1 - 5", + "47.2%" + ], + [ + "Concealed Knight: ???", + "2", + "44.5%" + ], + [ + "Scarlet Emissary", + "1 - 2", + "43.8%" + ], + [ + "Ash Giant", + "1 - 4", + "18.6%" + ], + [ + "Gastrocin", + "1", + "16.7%" + ], + [ + "Jewelbird", + "1", + "16.7%" + ], + [ + "Volcanic Gastrocin", + "1", + "16.7%" + ], + [ + "Altered Gargoyle", + "1 - 2", + "16.2%" + ], + [ + "Cracked Gargoyle", + "1 - 2", + "16.2%" + ], + [ + "Gargoyle", + "1 - 2", + "16.2%" + ], + [ + "Ghost (Red)", + "1", + "14.3%" + ], + [ + "Animated Skeleton (Miner)", + "1 - 2", + "3.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "25%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "25%", + "locations": "Bandit Hideout, Caldera, Cierzo (Destroyed), Crumbling Loading Docks, Forgotten Research Laboratory, Oil Refinery, Old Sirocco, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "25%", + "locations": "Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "25%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "25%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "25%", + "locations": "Abandoned Ziggurat, Abrassar, Ancient Hive, Bandits' Prison, Cabal of Wind Outpost, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Tree, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Slide, The Vault of Stone, Undercity Passage, Vigil Pylon, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "25%", + "locations": "Ark of the Exiled, Crumbling Loading Docks, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Ruined Warehouse, Wendigo Lair", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "25%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "25%", + "Bandit Hideout, Caldera, Cierzo (Destroyed), Crumbling Loading Docks, Forgotten Research Laboratory, Oil Refinery, Old Sirocco, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone" + ], + [ + "Corpse", + "1", + "25%", + "Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "25%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "25%", + "Antique Plateau" + ], + [ + "Ornate Chest", + "1", + "25%", + "Abandoned Ziggurat, Abrassar, Ancient Hive, Bandits' Prison, Cabal of Wind Outpost, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Tree, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Slide, The Vault of Stone, Undercity Passage, Vigil Pylon, Ziggurat Passage" + ], + [ + "Scavenger's Corpse", + "1", + "25%", + "Ark of the Exiled, Crumbling Loading Docks, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Ruined Warehouse, Wendigo Lair" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Medium Ruby is an item in Outward." + }, + { + "name": "Mefino's Trade Backpack", + "url": "https://outward.fandom.com/wiki/Mefino%27s_Trade_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "85", + "Capacity": "110", + "Class": "Backpacks", + "Durability": "∞", + "Inventory Protection": "3", + "Object ID": "5300030", + "Sell": "26", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0e/Mefino%27s_Trade_Backpack.png/revision/latest?cb=20190411000203", + "effects": [ + "Provides 3 Protection to the Durability of items in the backpack when hit by enemies" + ], + "description": "Mefino's Trade Backpack is an enormous merchant backpack with the largest capacity in the game." + }, + { + "name": "Merton's Firepoker", + "url": "https://outward.fandom.com/wiki/Merton%27s_Firepoker", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "20", + "Class": "Maces", + "Damage": "14.5 14.5", + "Durability": "250", + "Effects": "Burning", + "Impact": "25", + "Item Set": "Merton's Bones", + "Object ID": "2020070", + "Sell": "6", + "Stamina Cost": "4.4", + "Type": "One-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/22/Merton%27s_Firepoker.png/revision/latest?cb=20190412211442", + "effects": [ + "Inflicts Burning (40% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Merton's Firepoker" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.4", + "damage": "14.5 14.5", + "description": "Two wide-sweeping strikes, right to left", + "impact": "25", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "18.85 18.85", + "description": "Slow, overhead strike with high impact", + "impact": "62.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "18.85 18.85", + "description": "Fast, forward-thrusting strike", + "impact": "32.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "18.85 18.85", + "description": "Fast, forward-thrusting strike", + "impact": "32.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "14.5 14.5", + "25", + "4.4", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "18.85 18.85", + "62.5", + "5.72", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "18.85 18.85", + "32.5", + "5.72", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "18.85 18.85", + "32.5", + "5.72", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Merton's Firepoker is a unique one-handed mace in Outward." + }, + { + "name": "Merton's Ribcage", + "url": "https://outward.fandom.com/wiki/Merton%27s_Ribcage", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "0", + "Durability": "∞", + "Impact Resist": "0%", + "Item Set": "Merton's Bones", + "Object ID": "3200030", + "Sell": "0", + "Slot": "Chest", + "Weight": "0.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Merton's Ribcage is a type of Armor in Outward." + }, + { + "name": "Merton's Shinbones", + "url": "https://outward.fandom.com/wiki/Merton%27s_Shinbones", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "0", + "Durability": "∞", + "Impact Resist": "0%", + "Item Set": "Merton's Bones", + "Object ID": "3200032", + "Sell": "0", + "Slot": "Legs", + "Weight": "0.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Merton's Shinbones is a type of Armor in Outward." + }, + { + "name": "Merton's Skull", + "url": "https://outward.fandom.com/wiki/Merton%27s_Skull", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "0", + "Durability": "∞", + "Impact Resist": "0%", + "Item Set": "Merton's Bones", + "Object ID": "3200031", + "Sell": "0", + "Slot": "Head", + "Weight": "0.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8f/Merton%27s_Skull.png/revision/latest?cb=20190411085332", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Merton's Skull is a type of Armor in Outward." + }, + { + "name": "Metalized Bones", + "url": "https://outward.fandom.com/wiki/Metalized_Bones", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6600230", + "Sell": "60", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ad/Metalized_Bones.png/revision/latest/scale-to-width-down/83?cb=20200616185538", + "recipes": [ + { + "result": "Caged Armor Chestplate", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Vendavel's Hospitality", + "Metalized Bones" + ], + "station": "None", + "source_page": "Metalized Bones" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's GenerosityPearlbird's CourageVendavel's HospitalityMetalized Bones", + "result": "1x Caged Armor Chestplate", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Caged Armor Chestplate", + "Gep's GenerosityPearlbird's CourageVendavel's HospitalityMetalized Bones", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Elite Boozu" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Elite Sublime Shell" + } + ], + "raw_rows": [ + [ + "Elite Boozu", + "1", + "100%" + ], + [ + "Elite Sublime Shell", + "1", + "100%" + ] + ] + } + ], + "description": "Metalized Bones is an Item in Outward." + }, + { + "name": "Meteoric Axe", + "url": "https://outward.fandom.com/wiki/Meteoric_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "20 20", + "Durability": "320", + "Effects": "Holy Blaze", + "Impact": "32", + "Item Set": "Meteoric Set", + "Object ID": "2010235", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6f/Meteoric_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220075103", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (35% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "20 20", + "description": "Two slashing strikes, right to left", + "impact": "32", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.72", + "damage": "26 26", + "description": "Fast, triple-attack strike", + "impact": "41.6", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "26 26", + "description": "Quick double strike", + "impact": "41.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "26 26", + "description": "Wide-sweeping double strike", + "impact": "41.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "20 20", + "32", + "5.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "26 26", + "41.6", + "6.72", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "26 26", + "41.6", + "6.72", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "26 26", + "41.6", + "6.72", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Axe", + "upgrade": "Meteoric Axe" + } + ], + "raw_rows": [ + [ + "Obsidian Axe", + "Meteoric Axe" + ] + ] + } + ], + "description": "Meteoric Axe is a type of Weapon in Outward." + }, + { + "name": "Meteoric Bow", + "url": "https://outward.fandom.com/wiki/Meteoric_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "24.5 24.5", + "Durability": "400", + "Effects": "Holy Blaze", + "Impact": "21", + "Item Set": "Meteoric Set", + "Object ID": "2200185", + "Sell": "750", + "Stamina Cost": "3.22", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0e/Meteoric_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220075104", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (35% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Bow", + "upgrade": "Meteoric Bow" + } + ], + "raw_rows": [ + [ + "Obsidian Bow", + "Meteoric Bow" + ] + ] + } + ], + "description": "Meteoric Bow is a type of Weapon in Outward." + }, + { + "name": "Meteoric Chakram", + "url": "https://outward.fandom.com/wiki/Meteoric_Chakram", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Chakrams", + "DLC": "The Three Brothers", + "Damage": "21 21", + "Durability": "400", + "Effects": "Holy Blaze", + "Impact": "35", + "Item Set": "Meteoric Set", + "Object ID": "5110108", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c3/Meteoric_Chakram.png/revision/latest/scale-to-width-down/83?cb=20210127171022", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (35% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Chakram", + "upgrade": "Meteoric Chakram" + } + ], + "raw_rows": [ + [ + "Obsidian Chakram", + "Meteoric Chakram" + ] + ] + } + ], + "description": "Meteoric Chakram is a type of Weapon in Outward." + }, + { + "name": "Meteoric Claymore", + "url": "https://outward.fandom.com/wiki/Meteoric_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "24 24", + "Durability": "345", + "Effects": "Holy Blaze", + "Impact": "46", + "Item Set": "Meteoric Set", + "Object ID": "2100255", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/47/Meteoric_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220075106", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (35% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "24 24", + "description": "Two slashing strikes, left to right", + "impact": "46", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10.01", + "damage": "36 36", + "description": "Overhead downward-thrusting strike", + "impact": "69", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "30.36 30.36", + "description": "Spinning strike from the right", + "impact": "50.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "30.36 30.36", + "description": "Spinning strike from the left", + "impact": "50.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24 24", + "46", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "36 36", + "69", + "10.01", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "30.36 30.36", + "50.6", + "8.47", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "30.36 30.36", + "50.6", + "8.47", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Claymore", + "upgrade": "Meteoric Claymore" + } + ], + "raw_rows": [ + [ + "Obsidian Claymore", + "Meteoric Claymore" + ] + ] + } + ], + "description": "Meteoric Claymore is a type of Weapon in Outward." + }, + { + "name": "Meteoric Greataxe", + "url": "https://outward.fandom.com/wiki/Meteoric_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "25 25", + "Durability": "345", + "Effects": "Holy Blaze", + "Impact": "46", + "Item Set": "Meteoric Set", + "Object ID": "2110215", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6f/Meteoric_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220075107", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (35% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "25 25", + "description": "Two slashing strikes, left to right", + "impact": "46", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "32.5 32.5", + "description": "Uppercut strike into right sweep strike", + "impact": "59.8", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "32.5 32.5", + "description": "Left-spinning double strike", + "impact": "59.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.4", + "damage": "32.5 32.5", + "description": "Right-spinning double strike", + "impact": "59.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25 25", + "46", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "32.5 32.5", + "59.8", + "10.59", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "32.5 32.5", + "59.8", + "10.59", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.5 32.5", + "59.8", + "10.4", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Greataxe", + "upgrade": "Meteoric Greataxe" + } + ], + "raw_rows": [ + [ + "Obsidian Greataxe", + "Meteoric Greataxe" + ] + ] + } + ], + "description": "Meteoric Greataxe is a type of Weapon in Outward." + }, + { + "name": "Meteoric Halberd", + "url": "https://outward.fandom.com/wiki/Meteoric_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "21 21", + "Durability": "345", + "Effects": "Holy Blaze", + "Impact": "52", + "Item Set": "Meteoric Set", + "Object ID": "2150095", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d2/Meteoric_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220075108", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (35% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "21 21", + "description": "Two wide-sweeping strikes, left to right", + "impact": "52", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "27.3 27.3", + "description": "Forward-thrusting strike", + "impact": "67.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "27.3 27.3", + "description": "Wide-sweeping strike from left", + "impact": "67.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "35.7 35.7", + "description": "Slow but powerful sweeping strike", + "impact": "88.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "21 21", + "52", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "27.3 27.3", + "67.6", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "27.3 27.3", + "67.6", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "35.7 35.7", + "88.4", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Halberd", + "upgrade": "Meteoric Halberd" + } + ], + "raw_rows": [ + [ + "Obsidian Halberd", + "Meteoric Halberd" + ] + ] + } + ], + "description": "Meteoric Halberd is a type of Weapon in Outward." + }, + { + "name": "Meteoric Hammer", + "url": "https://outward.fandom.com/wiki/Meteoric_Hammer", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "23.5 23.5", + "Durability": "345", + "Effects": "Holy Blaze", + "Impact": "60", + "Item Set": "Meteoric Set", + "Object ID": "2120125", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3e/Meteoric_Hammer.png/revision/latest/scale-to-width-down/83?cb=20201221173507", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (35% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "23.5 23.5", + "description": "Two slashing strikes, left to right", + "impact": "60", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "17.63 17.63", + "description": "Blunt strike with high impact", + "impact": "120", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "32.9 32.9", + "description": "Powerful overhead strike", + "impact": "84", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "32.9 32.9", + "description": "Forward-running uppercut strike", + "impact": "84", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "23.5 23.5", + "60", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "17.63 17.63", + "120", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "32.9 32.9", + "84", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.9 32.9", + "84", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Greatmace", + "upgrade": "Meteoric Hammer" + } + ], + "raw_rows": [ + [ + "Obsidian Greatmace", + "Meteoric Hammer" + ] + ] + } + ], + "description": "Meteoric Hammer is a type of Weapon in Outward." + }, + { + "name": "Meteoric Knuckles", + "url": "https://outward.fandom.com/wiki/Meteoric_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "18.5 18.5", + "Durability": "325", + "Effects": "Holy Blaze", + "Impact": "22", + "Item Set": "Meteoric Set", + "Object ID": "2160185", + "Sell": "600", + "Stamina Cost": "2.8", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fb/Meteoric_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220075109", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (17.5% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.8", + "damage": "18.5 18.5", + "description": "Four fast punches, right to left", + "impact": "22", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.64", + "damage": "24.05 24.05", + "description": "Forward-lunging left hook", + "impact": "28.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "24.05 24.05", + "description": "Left dodging, left uppercut", + "impact": "28.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "24.05 24.05", + "description": "Right dodging, right spinning hammer strike", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "18.5 18.5", + "22", + "2.8", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "24.05 24.05", + "28.6", + "3.64", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "24.05 24.05", + "28.6", + "3.36", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "24.05 24.05", + "28.6", + "3.36", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Knuckles", + "upgrade": "Meteoric Knuckles" + } + ], + "raw_rows": [ + [ + "Obsidian Knuckles", + "Meteoric Knuckles" + ] + ] + } + ], + "description": "Meteoric Knuckles is a type of Weapon in Outward." + }, + { + "name": "Meteoric Mace", + "url": "https://outward.fandom.com/wiki/Meteoric_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "22 22", + "Durability": "320", + "Effects": "Holy Blaze", + "Impact": "50", + "Item Set": "Meteoric Set", + "Object ID": "2020115", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b1/Meteoric_Mace.png/revision/latest/scale-to-width-down/83?cb=20201221173508", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (35% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "22 22", + "description": "Two wide-sweeping strikes, right to left", + "impact": "50", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "28.6 28.6", + "description": "Slow, overhead strike with high impact", + "impact": "125", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "28.6 28.6", + "description": "Fast, forward-thrusting strike", + "impact": "65", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "28.6 28.6", + "description": "Fast, forward-thrusting strike", + "impact": "65", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "22 22", + "50", + "5.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "28.6 28.6", + "125", + "7.28", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "28.6 28.6", + "65", + "7.28", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "28.6 28.6", + "65", + "7.28", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Mace", + "upgrade": "Meteoric Mace" + } + ], + "raw_rows": [ + [ + "Obsidian Mace", + "Meteoric Mace" + ] + ] + } + ], + "description": "Meteoric Mace is a type of Weapon in Outward." + }, + { + "name": "Meteoric Pistol", + "url": "https://outward.fandom.com/wiki/Meteoric_Pistol", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Pistols", + "DLC": "The Three Brothers", + "Damage": "47.5 47.5", + "Durability": "200", + "Effects": "Holy Blaze", + "Impact": "75", + "Item Set": "Meteoric Set", + "Object ID": "5110310", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/85/Meteoric_Pistol.png/revision/latest/scale-to-width-down/83?cb=20201220075111", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (66% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Pistol", + "upgrade": "Meteoric Pistol" + } + ], + "raw_rows": [ + [ + "Obsidian Pistol", + "Meteoric Pistol" + ] + ] + } + ], + "description": "Meteoric Pistol is a type of Weapon in Outward." + }, + { + "name": "Meteoric Spear", + "url": "https://outward.fandom.com/wiki/Meteoric_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "24 24", + "Durability": "345", + "Effects": "Holy Blaze", + "Impact": "33", + "Item Set": "Meteoric Set", + "Object ID": "2130265", + "Sell": "750", + "Stamina Cost": "5.6", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/93/Meteoric_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220075112", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (35% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "24 24", + "description": "Two forward-thrusting stabs", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7", + "damage": "33.6 33.6", + "description": "Forward-lunging strike", + "impact": "39.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "31.2 31.2", + "description": "Left-sweeping strike, jump back", + "impact": "39.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "28.8 28.8", + "description": "Fast spinning strike from the right", + "impact": "36.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24 24", + "33", + "5.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "33.6 33.6", + "39.6", + "7", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "31.2 31.2", + "39.6", + "7", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "28.8 28.8", + "36.3", + "7", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Spear", + "upgrade": "Meteoric Spear" + } + ], + "raw_rows": [ + [ + "Obsidian Spear", + "Meteoric Spear" + ] + ] + } + ], + "description": "Meteoric Spear is a type of Weapon in Outward." + }, + { + "name": "Meteoric Sword", + "url": "https://outward.fandom.com/wiki/Meteoric_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "17 17", + "Durability": "320", + "Effects": "Holy Blaze", + "Impact": "30", + "Item Set": "Meteoric Set", + "Object ID": "2000265", + "Sell": "600", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/30/Meteoric_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220075113", + "effects": [ + "Inflicts Holy Blaze on foes afflicted with Burning (35% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.9", + "damage": "17 17", + "description": "Two slash attacks, left to right", + "impact": "30", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.88", + "damage": "25.42 25.42", + "description": "Forward-thrusting strike", + "impact": "39", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "21.51 21.51", + "description": "Heavy left-lunging strike", + "impact": "33", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "21.51 21.51", + "description": "Heavy right-lunging strike", + "impact": "33", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17 17", + "30", + "4.9", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "25.42 25.42", + "39", + "5.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "21.51 21.51", + "33", + "5.39", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "21.51 21.51", + "33", + "5.39", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Obsidian Sword", + "upgrade": "Meteoric Sword" + } + ], + "raw_rows": [ + [ + "Obsidian Sword", + "Meteoric Sword" + ] + ] + } + ], + "description": "Meteoric Sword is a type of Weapon in Outward." + }, + { + "name": "Miasmapod", + "url": "https://outward.fandom.com/wiki/Miasmapod", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Restores 75 HealthExtreme PoisonCures Infection", + "Hunger": "7.5%", + "Object ID": "4000250", + "Perish Time": "8 Days", + "Sell": "9", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cd/Miasmapod.png/revision/latest/scale-to-width-down/83?cb=20190410131918", + "effects": [ + "Restores 75 Health and 7.5% Hunger", + "Player receives Extreme Poison", + "Removes Infection" + ], + "recipes": [ + { + "result": "Boiled Miasmapod", + "result_count": "1x", + "ingredients": [ + "Miasmapod" + ], + "station": "Campfire", + "source_page": "Miasmapod" + }, + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Miasmapod" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Miasmapod" + }, + { + "result": "Phytosaur Spear", + "result_count": "1x", + "ingredients": [ + "Phytosaur Horn", + "Fishing Harpoon", + "Miasmapod" + ], + "station": "None", + "source_page": "Miasmapod" + }, + { + "result": "Poison Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Occult Remains", + "Miasmapod", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Miasmapod" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Miasmapod" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Miasmapod" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Miasmapod" + }, + { + "result": "Toxin Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Miasmapod", + "Charge – Toxic" + ], + "station": "Alchemy Kit", + "source_page": "Miasmapod" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Miasmapod" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Miasmapod" + }, + { + "result": "Venom Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Miasmapod" + ], + "station": "Alchemy Kit", + "source_page": "Miasmapod" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Miasmapod", + "result": "1x Boiled Miasmapod", + "station": "Campfire" + }, + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "Phytosaur HornFishing HarpoonMiasmapod", + "result": "1x Phytosaur Spear", + "station": "None" + }, + { + "ingredients": "Gaberry WineOccult RemainsMiasmapodGrilled Crabeye Seed", + "result": "1x Poison Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Bomb KitMiasmapodCharge – Toxic", + "result": "1x Toxin Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + }, + { + "ingredients": "Arrowhead KitWoodMiasmapod", + "result": "5x Venom Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Boiled Miasmapod", + "Miasmapod", + "Campfire" + ], + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "1x Phytosaur Spear", + "Phytosaur HornFishing HarpoonMiasmapod", + "None" + ], + [ + "1x Poison Varnish", + "Gaberry WineOccult RemainsMiasmapodGrilled Crabeye Seed", + "Alchemy Kit" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "1x Toxin Bomb", + "Bomb KitMiasmapodCharge – Toxic", + "Alchemy Kit" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ], + [ + "5x Venom Arrow", + "Arrowhead KitWoodMiasmapod", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "57.1%", + "quantity": "1", + "source": "Fishing/Swamp" + }, + { + "chance": "20.4%", + "quantity": "1", + "source": "Fishing/Harmattan" + }, + { + "chance": "20.4%", + "quantity": "1", + "source": "Fishing/Harmattan Magic" + }, + { + "chance": "20.4%", + "quantity": "1", + "source": "Fishing/Swamp" + } + ], + "raw_rows": [ + [ + "Fishing/Swamp", + "1", + "57.1%" + ], + [ + "Fishing/Harmattan", + "1", + "20.4%" + ], + [ + "Fishing/Harmattan Magic", + "1", + "20.4%" + ], + [ + "Fishing/Swamp", + "1", + "20.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3 - 5", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "17.5%", + "locations": "Harmattan", + "quantity": "2 - 9", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "3.4%", + "locations": "Cierzo", + "quantity": "1", + "source": "Fishmonger Karl" + } + ], + "raw_rows": [ + [ + "Ountz the Melon Farmer", + "3 - 5", + "100%", + "Monsoon" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 9", + "17.5%", + "Harmattan" + ], + [ + "Fishmonger Karl", + "1", + "3.4%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "12.3%", + "quantity": "1", + "source": "Crescent Shark" + } + ], + "raw_rows": [ + [ + "Crescent Shark", + "1", + "12.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.1%", + "locations": "Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "18.2%", + "locations": "Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "18.2%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "18.2%", + "locations": "Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "18.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "18.2%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "18.2%", + "locations": "Dead Roots, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "1 - 4", + "22.1%", + "Under Island" + ], + [ + "Adventurer's Corpse", + "1", + "18.2%", + "Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "18.2%", + "Giants' Village" + ], + [ + "Knight's Corpse", + "1", + "18.2%", + "Jade Quarry, Ziggurat Passage" + ], + [ + "Soldier's Corpse", + "1", + "18.2%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "18.2%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "18.2%", + "Dead Roots, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ] + ] + } + ], + "description": "Miasmapod is a Food item in Outward, and is a type of Fish." + }, + { + "name": "Militia Armor", + "url": "https://outward.fandom.com/wiki/Militia_Armor", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "550", + "DLC": "The Three Brothers", + "Damage Resist": "20%", + "Durability": "300", + "Effects": "Prevents Burning", + "Hot Weather Def.": "10", + "Impact Resist": "14%", + "Item Set": "Militia Set", + "Movement Speed": "-3%", + "Object ID": "3100460", + "Protection": "2", + "Sell": "165", + "Slot": "Chest", + "Stamina Cost": "3%", + "Weight": "12" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6f/Militia_Armor.png/revision/latest/scale-to-width-down/83?cb=20201220075116", + "effects": [ + "Provides 100% Status Resistance to Burning" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1 - 3", + "33%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven, Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven, Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Militia Armor is a type of Equipment in Outward." + }, + { + "name": "Militia Axe", + "url": "https://outward.fandom.com/wiki/Militia_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "300", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "30", + "Durability": "350", + "Impact": "30", + "Item Set": "Militia Set", + "Object ID": "2010270", + "Protection": "2", + "Sell": "90", + "Stamina Cost": "5", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ad/Militia_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220075118", + "recipes": [ + { + "result": "Chalcedony Axe", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Axe" + ], + "station": "None", + "source_page": "Militia Axe" + }, + { + "result": "Hailfrost Axe", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Militia Axe", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "30", + "description": "Two slashing strikes, right to left", + "impact": "30", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6", + "damage": "39", + "description": "Fast, triple-attack strike", + "impact": "39", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6", + "damage": "39", + "description": "Quick double strike", + "impact": "39", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6", + "damage": "39", + "description": "Wide-sweeping double strike", + "impact": "39", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30", + "30", + "5", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "39", + "39", + "6", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "39", + "39", + "6", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "39", + "39", + "6", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyNephrite GemstoneMilitia Axe", + "result": "1x Chalcedony Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Axe", + "ChalcedonyNephrite GemstoneMilitia Axe", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver1x Militia Axe1x Cold Stone", + "result": "1x Hailfrost Axe", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Axe", + "200 silver1x Militia Axe1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Militia Axe is a type of Weapon in Outward." + }, + { + "name": "Militia Boots", + "url": "https://outward.fandom.com/wiki/Militia_Boots", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "300", + "DLC": "The Three Brothers", + "Damage Resist": "13%", + "Durability": "300", + "Effects": "Prevents Hampered", + "Hot Weather Def.": "5", + "Impact Resist": "9%", + "Item Set": "Militia Set", + "Movement Speed": "-2%", + "Object ID": "3100462", + "Protection": "1", + "Sell": "90", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c5/Militia_Boots.png/revision/latest/scale-to-width-down/83?cb=20201220075119", + "effects": [ + "Provides 100% Status Resistance to Hampered" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1 - 3", + "33%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven, Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven, Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Militia Boots is a type of Equipment in Outward." + }, + { + "name": "Militia Bow", + "url": "https://outward.fandom.com/wiki/Militia_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "375", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "37", + "Durability": "400", + "Impact": "28", + "Item Set": "Militia Set", + "Object ID": "2200150", + "Protection": "2", + "Sell": "113", + "Stamina Cost": "2.875", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2e/Militia_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220075120", + "recipes": [ + { + "result": "Chalcedony Bow", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Bow" + ], + "station": "None", + "source_page": "Militia Bow" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Bow", + "result": "1x Chalcedony Bow", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Bow", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Bow", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + } + ], + "description": "Militia Bow is a type of Weapon in Outward." + }, + { + "name": "Militia Chakram", + "url": "https://outward.fandom.com/wiki/Militia_Chakram", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Chakrams", + "DLC": "The Three Brothers", + "Damage": "33", + "Durability": "400", + "Impact": "44", + "Item Set": "Militia Set", + "Object ID": "5110106", + "Protection": "1", + "Sell": "90", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/af/Militia_Chakram.png/revision/latest/scale-to-width-down/83?cb=20201220075122", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + } + ], + "description": "Militia Chakram is a type of Weapon in Outward." + }, + { + "name": "Militia Claymore", + "url": "https://outward.fandom.com/wiki/Militia_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "375", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "39", + "Durability": "375", + "Impact": "40", + "Item Set": "Militia Set", + "Object ID": "2100290", + "Protection": "3", + "Sell": "113", + "Stamina Cost": "6.875", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/eb/Militia_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220075123", + "recipes": [ + { + "result": "Chalcedony Claymore", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Claymore" + ], + "station": "None", + "source_page": "Militia Claymore" + }, + { + "result": "Hailfrost Claymore", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Claymore", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "39", + "description": "Two slashing strikes, left to right", + "impact": "40", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.94", + "damage": "58.5", + "description": "Overhead downward-thrusting strike", + "impact": "60", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.56", + "damage": "49.33", + "description": "Spinning strike from the right", + "impact": "44", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.56", + "damage": "49.33", + "description": "Spinning strike from the left", + "impact": "44", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "39", + "40", + "6.875", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "58.5", + "60", + "8.94", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "49.33", + "44", + "7.56", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.33", + "44", + "7.56", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Claymore", + "result": "1x Chalcedony Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Claymore", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Claymore", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver1x Militia Claymore1x Cold Stone", + "result": "1x Hailfrost Claymore", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Claymore", + "300 silver1x Militia Claymore1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + } + ], + "description": "Militia Claymore is a type of Weapon in Outward." + }, + { + "name": "Militia Dagger", + "url": "https://outward.fandom.com/wiki/Militia_Dagger", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Daggers", + "DLC": "The Three Brothers", + "Damage": "27", + "Durability": "300", + "Effects": "Crippled", + "Impact": "37", + "Item Set": "Militia Set", + "Object ID": "5110017", + "Protection": "1", + "Sell": "90", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3d/Militia_Dagger.png/revision/latest/scale-to-width-down/83?cb=20201220075124", + "effects": [ + "Inflicts Crippled (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Hailfrost Dagger", + "result_count": "1x", + "ingredients": [ + "150 silver", + "1x Militia Dagger", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Dagger" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "150 silver1x Militia Dagger1x Cold Stone", + "result": "1x Hailfrost Dagger", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Dagger", + "150 silver1x Militia Dagger1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + } + ], + "description": "Militia Dagger is a type of Weapon in Outward." + }, + { + "name": "Militia Greataxe", + "url": "https://outward.fandom.com/wiki/Militia_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "375", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "36", + "Durability": "400", + "Impact": "40", + "Item Set": "Militia Set", + "Object ID": "2110250", + "Protection": "3", + "Sell": "113", + "Stamina Cost": "6.875", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e9/Militia_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220075125", + "recipes": [ + { + "result": "Chalcedony Greataxe", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Greataxe" + ], + "station": "None", + "source_page": "Militia Greataxe" + }, + { + "result": "Hailfrost Greataxe", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Greataxe", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "36", + "description": "Two slashing strikes, left to right", + "impact": "40", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.45", + "damage": "46.8", + "description": "Uppercut strike into right sweep strike", + "impact": "52", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.45", + "damage": "46.8", + "description": "Left-spinning double strike", + "impact": "52", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.28", + "damage": "46.8", + "description": "Right-spinning double strike", + "impact": "52", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "36", + "40", + "6.875", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "46.8", + "52", + "9.45", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "46.8", + "52", + "9.45", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "46.8", + "52", + "9.28", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Greataxe", + "result": "1x Chalcedony Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Greataxe", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Greataxe", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver1x Militia Greataxe1x Cold Stone", + "result": "1x Hailfrost Greataxe", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Greataxe", + "300 silver1x Militia Greataxe1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + } + ], + "description": "Militia Greataxe is a type of Weapon in Outward." + }, + { + "name": "Militia Halberd", + "url": "https://outward.fandom.com/wiki/Militia_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "375", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "30", + "Durability": "400", + "Impact": "47", + "Item Set": "Militia Set", + "Object ID": "2150130", + "Protection": "3", + "Sell": "113", + "Stamina Cost": "6.25", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4d/Militia_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220075127", + "recipes": [ + { + "result": "Chalcedony Halberd", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Halberd" + ], + "station": "None", + "source_page": "Militia Halberd" + }, + { + "result": "Hailfrost Halberd", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Halberd", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.25", + "damage": "30", + "description": "Two wide-sweeping strikes, left to right", + "impact": "47", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.81", + "damage": "39", + "description": "Forward-thrusting strike", + "impact": "61.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.81", + "damage": "39", + "description": "Wide-sweeping strike from left", + "impact": "61.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.94", + "damage": "51", + "description": "Slow but powerful sweeping strike", + "impact": "79.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30", + "47", + "6.25", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "39", + "61.1", + "7.81", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "39", + "61.1", + "7.81", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "51", + "79.9", + "10.94", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Halberd", + "result": "1x Chalcedony Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Halberd", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Halberd", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver1x Militia Halberd1x Cold Stone", + "result": "1x Hailfrost Halberd", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Halberd", + "300 silver1x Militia Halberd1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + } + ], + "description": "Militia Halberd is a type of Weapon in Outward." + }, + { + "name": "Militia Hammer", + "url": "https://outward.fandom.com/wiki/Militia_Hammer", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "375", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "33", + "Durability": "450", + "Impact": "53", + "Item Set": "Militia Set", + "Object ID": "2120260", + "Protection": "3", + "Sell": "113", + "Stamina Cost": "6.875", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e1/Militia_Hammer.png/revision/latest/scale-to-width-down/83?cb=20201220075128", + "recipes": [ + { + "result": "Chalcedony Hammer", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Militia Hammer", + "Nephrite Gemstone" + ], + "station": "None", + "source_page": "Militia Hammer" + }, + { + "result": "Hailfrost Hammer", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Hammer", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Hammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "33", + "description": "Two slashing strikes, left to right", + "impact": "53", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.25", + "damage": "24.75", + "description": "Blunt strike with high impact", + "impact": "106", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.25", + "damage": "46.2", + "description": "Powerful overhead strike", + "impact": "74.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.25", + "damage": "46.2", + "description": "Forward-running uppercut strike", + "impact": "74.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "53", + "6.875", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "24.75", + "106", + "8.25", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "46.2", + "74.2", + "8.25", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "46.2", + "74.2", + "8.25", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyChalcedonyMilitia HammerNephrite Gemstone", + "result": "1x Chalcedony Hammer", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Hammer", + "ChalcedonyChalcedonyMilitia HammerNephrite Gemstone", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver1x Militia Hammer1x Cold Stone", + "result": "1x Hailfrost Hammer", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Hammer", + "300 silver1x Militia Hammer1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + } + ], + "description": "Militia Hammer is a type of Weapon in Outward. Can be used for Mining." + }, + { + "name": "Militia Helm", + "url": "https://outward.fandom.com/wiki/Militia_Helm", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "DLC": "The Three Brothers", + "Damage Resist": "13%", + "Durability": "300", + "Effects": "Prevents Confusion", + "Hot Weather Def.": "5", + "Impact Resist": "9%", + "Item Set": "Militia Set", + "Mana Cost": "5%", + "Movement Speed": "-2%", + "Object ID": "3100461", + "Protection": "1", + "Sell": "90", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/93/Militia_Helm.png/revision/latest/scale-to-width-down/83?cb=20201220075129", + "effects": [ + "Provides 100% Status Resistance to Confusion" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1 - 3", + "33%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven, Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven, Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Militia Helm is a type of Equipment in Outward." + }, + { + "name": "Militia Knuckles", + "url": "https://outward.fandom.com/wiki/Militia_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "300", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "26", + "Durability": "325", + "Impact": "23", + "Item Set": "Militia Set", + "Object ID": "2160220", + "Protection": "3", + "Sell": "90", + "Stamina Cost": "2.5", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f3/Militia_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220075130", + "recipes": [ + { + "result": "Chalcedony Knuckles", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Knuckles" + ], + "station": "None", + "source_page": "Militia Knuckles" + }, + { + "result": "Hailfrost Knuckles", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Knuckles", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Knuckles" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.5", + "damage": "26", + "description": "Four fast punches, right to left", + "impact": "23", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.25", + "damage": "33.8", + "description": "Forward-lunging left hook", + "impact": "29.9", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3", + "damage": "33.8", + "description": "Left dodging, left uppercut", + "impact": "29.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3", + "damage": "33.8", + "description": "Right dodging, right spinning hammer strike", + "impact": "29.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26", + "23", + "2.5", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "33.8", + "29.9", + "3.25", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "33.8", + "29.9", + "3", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "33.8", + "29.9", + "3", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Knuckles", + "result": "1x Chalcedony Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Knuckles", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Knuckles", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver1x Militia Knuckles1x Cold Stone", + "result": "1x Hailfrost Knuckles", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Knuckles", + "300 silver1x Militia Knuckles1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "50%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "50%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven, Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven, Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Militia Knuckles is a type of Weapon in Outward." + }, + { + "name": "Militia Mace", + "url": "https://outward.fandom.com/wiki/Militia_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "300", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "31", + "Durability": "400", + "Impact": "44", + "Item Set": "Militia Set", + "Object ID": "2020310", + "Protection": "2", + "Sell": "90", + "Stamina Cost": "5", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a4/Militia_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220075132", + "recipes": [ + { + "result": "Chalcedony Mace", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Militia Mace", + "Nephrite Gemstone" + ], + "station": "None", + "source_page": "Militia Mace" + }, + { + "result": "Hailfrost Mace", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Militia Mace", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "31", + "description": "Two wide-sweeping strikes, right to left", + "impact": "44", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "40.3", + "description": "Slow, overhead strike with high impact", + "impact": "110", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "40.3", + "description": "Fast, forward-thrusting strike", + "impact": "57.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "40.3", + "description": "Fast, forward-thrusting strike", + "impact": "57.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "31", + "44", + "5", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "40.3", + "110", + "6.5", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "40.3", + "57.2", + "6.5", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "40.3", + "57.2", + "6.5", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyChalcedonyMilitia MaceNephrite Gemstone", + "result": "1x Chalcedony Mace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Mace", + "ChalcedonyChalcedonyMilitia MaceNephrite Gemstone", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver1x Militia Mace1x Cold Stone", + "result": "1x Hailfrost Mace", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Mace", + "200 silver1x Militia Mace1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + } + ], + "description": "Militia Mace is a type of Weapon in Outward." + }, + { + "name": "Militia Pistol", + "url": "https://outward.fandom.com/wiki/Militia_Pistol", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Pistols", + "DLC": "The Three Brothers", + "Damage": "72", + "Durability": "300", + "Effects": "Crippled", + "Impact": "66", + "Item Set": "Militia Set", + "Object ID": "5110290", + "Protection": "1", + "Sell": "90", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/80/Militia_Pistol.png/revision/latest/scale-to-width-down/83?cb=20201220075133", + "effects": [ + "Inflicts Crippled (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Hailfrost Pistol", + "result_count": "1x", + "ingredients": [ + "150 silver", + "1x Militia Pistol", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "150 silver1x Militia Pistol1x Cold Stone", + "result": "1x Hailfrost Pistol", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Pistol", + "150 silver1x Militia Pistol1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + } + ], + "description": "Militia Pistol is a type of Weapon in Outward." + }, + { + "name": "Militia Set", + "url": "https://outward.fandom.com/wiki/Militia_Set", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1150", + "DLC": "The Three Brothers", + "Damage Resist": "46%", + "Durability": "900", + "Hot Weather Def.": "20", + "Impact Resist": "32%", + "Mana Cost": "5%", + "Movement Speed": "-7%", + "Object ID": "3100460 (Chest)3100462 (Legs)3100461 (Head)", + "Protection": "4", + "Sell": "345", + "Slot": "Set", + "Stamina Cost": "7%", + "Weight": "25.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9b/Militia_Set.png/revision/latest/scale-to-width-down/250?cb=20201231064006", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "14%", + "column_5": "2", + "column_6": "10", + "column_7": "3%", + "column_8": "–", + "column_9": "-3%", + "durability": "300", + "effects": "Prevents Burning", + "name": "Militia Armor", + "resistances": "20%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "9%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "–", + "column_9": "-2%", + "durability": "300", + "effects": "Prevents Hampered", + "name": "Militia Boots", + "resistances": "13%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "5%", + "column_9": "-2%", + "durability": "300", + "effects": "Prevents Confusion", + "name": "Militia Helm", + "resistances": "13%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Militia Armor", + "20%", + "14%", + "2", + "10", + "3%", + "–", + "-3%", + "300", + "12.0", + "Prevents Burning", + "Body Armor" + ], + [ + "", + "Militia Boots", + "13%", + "9%", + "1", + "5", + "2%", + "–", + "-2%", + "300", + "8.0", + "Prevents Hampered", + "Boots" + ], + [ + "", + "Militia Helm", + "13%", + "9%", + "1", + "5", + "2%", + "5%", + "-2%", + "300", + "5.0", + "Prevents Confusion", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Column 7", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "30", + "column_6": "2", + "column_7": "5", + "damage": "30", + "durability": "350", + "effects": "–", + "name": "Militia Axe", + "resist": "–", + "speed": "0.9", + "weight": "4.0" + }, + { + "class": "Bow", + "column_4": "28", + "column_6": "2", + "column_7": "2.875", + "damage": "37", + "durability": "400", + "effects": "–", + "name": "Militia Bow", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "Chakram", + "column_4": "44", + "column_6": "1", + "column_7": "–", + "damage": "33", + "durability": "400", + "effects": "–", + "name": "Militia Chakram", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Sword", + "column_4": "40", + "column_6": "3", + "column_7": "6.875", + "damage": "39", + "durability": "375", + "effects": "–", + "name": "Militia Claymore", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "Dagger", + "column_4": "37", + "column_6": "1", + "column_7": "–", + "damage": "27", + "durability": "300", + "effects": "Crippled", + "name": "Militia Dagger", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Axe", + "column_4": "40", + "column_6": "3", + "column_7": "6.875", + "damage": "36", + "durability": "400", + "effects": "–", + "name": "Militia Greataxe", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "Halberd", + "column_4": "47", + "column_6": "3", + "column_7": "6.25", + "damage": "30", + "durability": "400", + "effects": "–", + "name": "Militia Halberd", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "2H Mace", + "column_4": "53", + "column_6": "3", + "column_7": "6.875", + "damage": "33", + "durability": "450", + "effects": "–", + "name": "Militia Hammer", + "resist": "–", + "speed": "0.9", + "weight": "7.0" + }, + { + "class": "2H Gauntlet", + "column_4": "23", + "column_6": "3", + "column_7": "2.5", + "damage": "26", + "durability": "325", + "effects": "–", + "name": "Militia Knuckles", + "resist": "–", + "speed": "0.9", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "44", + "column_6": "2", + "column_7": "5", + "damage": "31", + "durability": "400", + "effects": "–", + "name": "Militia Mace", + "resist": "–", + "speed": "0.9", + "weight": "5.0" + }, + { + "class": "Pistol", + "column_4": "66", + "column_6": "1", + "column_7": "–", + "damage": "72", + "durability": "300", + "effects": "Crippled", + "name": "Militia Pistol", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "Shield", + "column_4": "51", + "column_6": "3", + "column_7": "–", + "damage": "33", + "durability": "260", + "effects": "–", + "name": "Militia Shield", + "resist": "17%", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Spear", + "column_4": "34", + "column_6": "3", + "column_7": "5", + "damage": "34", + "durability": "325", + "effects": "–", + "name": "Militia Spear", + "resist": "–", + "speed": "0.9", + "weight": "5.0" + }, + { + "class": "1H Sword", + "column_4": "33", + "column_6": "2", + "column_7": "4.375", + "damage": "29", + "durability": "300", + "effects": "–", + "name": "Militia Sword", + "resist": "–", + "speed": "0.9", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Militia Axe", + "30", + "30", + "–", + "2", + "5", + "0.9", + "350", + "4.0", + "–", + "1H Axe" + ], + [ + "", + "Militia Bow", + "37", + "28", + "–", + "2", + "2.875", + "1.0", + "400", + "3.0", + "–", + "Bow" + ], + [ + "", + "Militia Chakram", + "33", + "44", + "–", + "1", + "–", + "1.0", + "400", + "1.0", + "–", + "Chakram" + ], + [ + "", + "Militia Claymore", + "39", + "40", + "–", + "3", + "6.875", + "0.9", + "375", + "6.0", + "–", + "2H Sword" + ], + [ + "", + "Militia Dagger", + "27", + "37", + "–", + "1", + "–", + "1.0", + "300", + "1.0", + "Crippled", + "Dagger" + ], + [ + "", + "Militia Greataxe", + "36", + "40", + "–", + "3", + "6.875", + "0.9", + "400", + "6.0", + "–", + "2H Axe" + ], + [ + "", + "Militia Halberd", + "30", + "47", + "–", + "3", + "6.25", + "0.9", + "400", + "6.0", + "–", + "Halberd" + ], + [ + "", + "Militia Hammer", + "33", + "53", + "–", + "3", + "6.875", + "0.9", + "450", + "7.0", + "–", + "2H Mace" + ], + [ + "", + "Militia Knuckles", + "26", + "23", + "–", + "3", + "2.5", + "0.9", + "325", + "3.0", + "–", + "2H Gauntlet" + ], + [ + "", + "Militia Mace", + "31", + "44", + "–", + "2", + "5", + "0.9", + "400", + "5.0", + "–", + "1H Mace" + ], + [ + "", + "Militia Pistol", + "72", + "66", + "–", + "1", + "–", + "1.0", + "300", + "1.0", + "Crippled", + "Pistol" + ], + [ + "", + "Militia Shield", + "33", + "51", + "17%", + "3", + "–", + "1.0", + "260", + "5.0", + "–", + "Shield" + ], + [ + "", + "Militia Spear", + "34", + "34", + "–", + "3", + "5", + "0.9", + "325", + "5.0", + "–", + "Spear" + ], + [ + "", + "Militia Sword", + "29", + "33", + "–", + "2", + "4.375", + "0.9", + "300", + "4.0", + "–", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "14%", + "column_5": "2", + "column_6": "10", + "column_7": "3%", + "column_8": "–", + "column_9": "-3%", + "durability": "300", + "effects": "Prevents Burning", + "name": "Militia Armor", + "resistances": "20%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "9%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "–", + "column_9": "-2%", + "durability": "300", + "effects": "Prevents Hampered", + "name": "Militia Boots", + "resistances": "13%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "5%", + "column_9": "-2%", + "durability": "300", + "effects": "Prevents Confusion", + "name": "Militia Helm", + "resistances": "13%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Militia Armor", + "20%", + "14%", + "2", + "10", + "3%", + "–", + "-3%", + "300", + "12.0", + "Prevents Burning", + "Body Armor" + ], + [ + "", + "Militia Boots", + "13%", + "9%", + "1", + "5", + "2%", + "–", + "-2%", + "300", + "8.0", + "Prevents Hampered", + "Boots" + ], + [ + "", + "Militia Helm", + "13%", + "9%", + "1", + "5", + "2%", + "5%", + "-2%", + "300", + "5.0", + "Prevents Confusion", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Column 7", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "30", + "column_6": "2", + "column_7": "5", + "damage": "30", + "durability": "350", + "effects": "–", + "name": "Militia Axe", + "resist": "–", + "speed": "0.9", + "weight": "4.0" + }, + { + "class": "Bow", + "column_4": "28", + "column_6": "2", + "column_7": "2.875", + "damage": "37", + "durability": "400", + "effects": "–", + "name": "Militia Bow", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "Chakram", + "column_4": "44", + "column_6": "1", + "column_7": "–", + "damage": "33", + "durability": "400", + "effects": "–", + "name": "Militia Chakram", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Sword", + "column_4": "40", + "column_6": "3", + "column_7": "6.875", + "damage": "39", + "durability": "375", + "effects": "–", + "name": "Militia Claymore", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "Dagger", + "column_4": "37", + "column_6": "1", + "column_7": "–", + "damage": "27", + "durability": "300", + "effects": "Crippled", + "name": "Militia Dagger", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Axe", + "column_4": "40", + "column_6": "3", + "column_7": "6.875", + "damage": "36", + "durability": "400", + "effects": "–", + "name": "Militia Greataxe", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "Halberd", + "column_4": "47", + "column_6": "3", + "column_7": "6.25", + "damage": "30", + "durability": "400", + "effects": "–", + "name": "Militia Halberd", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "2H Mace", + "column_4": "53", + "column_6": "3", + "column_7": "6.875", + "damage": "33", + "durability": "450", + "effects": "–", + "name": "Militia Hammer", + "resist": "–", + "speed": "0.9", + "weight": "7.0" + }, + { + "class": "2H Gauntlet", + "column_4": "23", + "column_6": "3", + "column_7": "2.5", + "damage": "26", + "durability": "325", + "effects": "–", + "name": "Militia Knuckles", + "resist": "–", + "speed": "0.9", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "44", + "column_6": "2", + "column_7": "5", + "damage": "31", + "durability": "400", + "effects": "–", + "name": "Militia Mace", + "resist": "–", + "speed": "0.9", + "weight": "5.0" + }, + { + "class": "Pistol", + "column_4": "66", + "column_6": "1", + "column_7": "–", + "damage": "72", + "durability": "300", + "effects": "Crippled", + "name": "Militia Pistol", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "Shield", + "column_4": "51", + "column_6": "3", + "column_7": "–", + "damage": "33", + "durability": "260", + "effects": "–", + "name": "Militia Shield", + "resist": "17%", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Spear", + "column_4": "34", + "column_6": "3", + "column_7": "5", + "damage": "34", + "durability": "325", + "effects": "–", + "name": "Militia Spear", + "resist": "–", + "speed": "0.9", + "weight": "5.0" + }, + { + "class": "1H Sword", + "column_4": "33", + "column_6": "2", + "column_7": "4.375", + "damage": "29", + "durability": "300", + "effects": "–", + "name": "Militia Sword", + "resist": "–", + "speed": "0.9", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Militia Axe", + "30", + "30", + "–", + "2", + "5", + "0.9", + "350", + "4.0", + "–", + "1H Axe" + ], + [ + "", + "Militia Bow", + "37", + "28", + "–", + "2", + "2.875", + "1.0", + "400", + "3.0", + "–", + "Bow" + ], + [ + "", + "Militia Chakram", + "33", + "44", + "–", + "1", + "–", + "1.0", + "400", + "1.0", + "–", + "Chakram" + ], + [ + "", + "Militia Claymore", + "39", + "40", + "–", + "3", + "6.875", + "0.9", + "375", + "6.0", + "–", + "2H Sword" + ], + [ + "", + "Militia Dagger", + "27", + "37", + "–", + "1", + "–", + "1.0", + "300", + "1.0", + "Crippled", + "Dagger" + ], + [ + "", + "Militia Greataxe", + "36", + "40", + "–", + "3", + "6.875", + "0.9", + "400", + "6.0", + "–", + "2H Axe" + ], + [ + "", + "Militia Halberd", + "30", + "47", + "–", + "3", + "6.25", + "0.9", + "400", + "6.0", + "–", + "Halberd" + ], + [ + "", + "Militia Hammer", + "33", + "53", + "–", + "3", + "6.875", + "0.9", + "450", + "7.0", + "–", + "2H Mace" + ], + [ + "", + "Militia Knuckles", + "26", + "23", + "–", + "3", + "2.5", + "0.9", + "325", + "3.0", + "–", + "2H Gauntlet" + ], + [ + "", + "Militia Mace", + "31", + "44", + "–", + "2", + "5", + "0.9", + "400", + "5.0", + "–", + "1H Mace" + ], + [ + "", + "Militia Pistol", + "72", + "66", + "–", + "1", + "–", + "1.0", + "300", + "1.0", + "Crippled", + "Pistol" + ], + [ + "", + "Militia Shield", + "33", + "51", + "17%", + "3", + "–", + "1.0", + "260", + "5.0", + "–", + "Shield" + ], + [ + "", + "Militia Spear", + "34", + "34", + "–", + "3", + "5", + "0.9", + "325", + "5.0", + "–", + "Spear" + ], + [ + "", + "Militia Sword", + "29", + "33", + "–", + "2", + "4.375", + "0.9", + "300", + "4.0", + "–", + "1H Sword" + ] + ] + } + ], + "description": "Militia Set is a Set in Outward." + }, + { + "name": "Militia Shield", + "url": "https://outward.fandom.com/wiki/Militia_Shield", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Shields", + "DLC": "The Three Brothers", + "Damage": "33", + "Durability": "260", + "Impact": "51", + "Impact Resist": "17%", + "Item Set": "Militia Set", + "Object ID": "2300350", + "Protection": "3", + "Sell": "90", + "Type": "Off-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e5/Militia_Shield.png/revision/latest/scale-to-width-down/83?cb=20201220075134", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + } + ], + "description": "Militia Shield is a type of Weapon in Outward." + }, + { + "name": "Militia Spear", + "url": "https://outward.fandom.com/wiki/Militia_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "375", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "34", + "Durability": "325", + "Impact": "34", + "Item Set": "Militia Set", + "Object ID": "2130300", + "Protection": "3", + "Sell": "113", + "Stamina Cost": "5", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2d/Militia_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220075136", + "recipes": [ + { + "result": "Chalcedony Spear", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Spear" + ], + "station": "None", + "source_page": "Militia Spear" + }, + { + "result": "Hailfrost Spear", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Militia Spear", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "34", + "description": "Two forward-thrusting stabs", + "impact": "34", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "47.6", + "description": "Forward-lunging strike", + "impact": "40.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "44.2", + "description": "Left-sweeping strike, jump back", + "impact": "40.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "40.8", + "description": "Fast spinning strike from the right", + "impact": "37.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34", + "34", + "5", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "47.6", + "40.8", + "6.25", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "44.2", + "40.8", + "6.25", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "40.8", + "37.4", + "6.25", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Spear", + "result": "1x Chalcedony Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Spear", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Spear", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver1x Militia Spear1x Cold Stone", + "result": "1x Hailfrost Spear", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Spear", + "300 silver1x Militia Spear1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + } + ], + "description": "Militia Spear is a type of Weapon in Outward. Can be used for Fishing." + }, + { + "name": "Militia Sword", + "url": "https://outward.fandom.com/wiki/Militia_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "300", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "29", + "Durability": "300", + "Impact": "33", + "Item Set": "Militia Set", + "Object ID": "2000300", + "Protection": "2", + "Sell": "90", + "Stamina Cost": "4.375", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/31/Militia_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220075137", + "recipes": [ + { + "result": "Chalcedony Sword", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Sword" + ], + "station": "None", + "source_page": "Militia Sword" + }, + { + "result": "Hailfrost Sword", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Militia Sword", + "1x Cold Stone" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Militia Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.375", + "damage": "29", + "description": "Two slash attacks, left to right", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.25", + "damage": "43.36", + "description": "Forward-thrusting strike", + "impact": "42.9", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.81", + "damage": "36.68", + "description": "Heavy left-lunging strike", + "impact": "36.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.81", + "damage": "36.68", + "description": "Heavy right-lunging strike", + "impact": "36.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29", + "33", + "4.375", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "43.36", + "42.9", + "5.25", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "36.68", + "36.3", + "4.81", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "36.68", + "36.3", + "4.81", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyNephrite GemstoneMilitia Sword", + "result": "1x Chalcedony Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Sword", + "ChalcedonyNephrite GemstoneMilitia Sword", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver1x Militia Sword1x Cold Stone", + "result": "1x Hailfrost Sword", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Hailfrost Sword", + "200 silver1x Militia Sword1x Cold Stone", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Chest", + "1", + "5.9%", + "Calygrey Colosseum, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Militia Sword is a type of Weapon in Outward." + }, + { + "name": "Miner Armor", + "url": "https://outward.fandom.com/wiki/Miner_Armor", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "17", + "DLC": "The Three Brothers", + "Damage Resist": "10%", + "Durability": "120", + "Effects": "Prevents Burning", + "Hot Weather Def.": "10", + "Impact Resist": "11%", + "Item Set": "Miner Set", + "Object ID": "3100420", + "Sell": "6", + "Slot": "Chest", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/60/Miner_Armor.png/revision/latest/scale-to-width-down/83?cb=20201220075138", + "effects": [ + "Provides 100% Status Resistance to Burning" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Miner Armor is a type of Equipment in Outward." + }, + { + "name": "Miner Boots", + "url": "https://outward.fandom.com/wiki/Miner_Boots", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "10", + "DLC": "The Three Brothers", + "Damage Resist": "5%", + "Durability": "120", + "Effects": "Prevents Hampered.", + "Hot Weather Def.": "5", + "Impact Resist": "7%", + "Item Set": "Miner Set", + "Object ID": "3100422", + "Sell": "3", + "Slot": "Legs", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f8/Miner_Boots.png/revision/latest/scale-to-width-down/83?cb=20201220075139", + "effects": [ + "Provides 100% Status Resistance to Hampered" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1 - 3", + "33%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Miner Boots is a type of Equipment in Outward." + }, + { + "name": "Miner Helmet", + "url": "https://outward.fandom.com/wiki/Miner_Helmet", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "10", + "DLC": "The Three Brothers", + "Damage Resist": "5%", + "Durability": "120", + "Effects": "Prevents Confusion", + "Hot Weather Def.": "5", + "Impact Resist": "3%", + "Item Set": "Miner Set", + "Object ID": "3100421", + "Sell": "3", + "Slot": "Head", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/31/Miner_Helmet.png/revision/latest/scale-to-width-down/83?cb=20201220075140", + "effects": [ + "Provides 100% Status Resistance to Confusion" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1 - 3", + "33%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.9%", + "locations": "Oily Cavern", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera, Giant's Sauna", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Calygrey Chest", + "1", + "6.2%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "6.2%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "6.2%", + "Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "5.9%", + "Oily Cavern" + ], + [ + "Chest", + "1", + "5.9%", + "Caldera, Giant's Sauna" + ], + [ + "Junk Pile", + "1", + "5.9%", + "Sulphuric Caverns" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven, Oil Refinery, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.9%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Miner Helmet is a type of Equipment in Outward." + }, + { + "name": "Miner's Omelet", + "url": "https://outward.fandom.com/wiki/Miner%27s_Omelet", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Health Recovery 1Stamina Recovery 3", + "Hunger": "17.5%", + "Object ID": "4100280", + "Perish Time": "9 Days 22 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a5/Miner%E2%80%99s_Omelet.png/revision/latest/scale-to-width-down/83?cb=20190410133012", + "effects": [ + "Restores 17.5% Hunger", + "Player receives Health Recovery (level 1)", + "Player receives Stamina Recovery (level 3)" + ], + "recipes": [ + { + "result": "Miner's Omelet", + "result_count": "3x", + "ingredients": [ + "Egg", + "Egg", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Miner's Omelet" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Miner's Omelet" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Miner's Omelet" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Egg Egg Common Mushroom", + "result": "3x Miner's Omelet", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Miner's Omelet", + "Egg Egg Common Mushroom", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3 - 5", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Pholiota/Low Stock" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "4", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "23.2%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 9", + "source": "Pholiota/Low Stock" + }, + { + "chance": "13.3%", + "locations": "Vendavel Fortress", + "quantity": "1 - 2", + "source": "Vendavel Prisoner" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "3 - 5", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "1 - 2", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Ibolya Battleborn, Chef", + "4", + "24.9%", + "Harmattan" + ], + [ + "Pholiota/Low Stock", + "2 - 9", + "23.2%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Vendavel Prisoner", + "1 - 2", + "13.3%", + "Vendavel Fortress" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 4", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 4", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "1", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ] + ] + } + ], + "description": "Miner's Omelet is a dish in Outward." + }, + { + "name": "Mineral Tea", + "url": "https://outward.fandom.com/wiki/Mineral_Tea", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Drink": "7%", + "Effects": "Restores 15 Burnt HealthImpact Resistance UpRemoves Indigestion", + "Object ID": "4200080", + "Perish Time": "∞", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f8/Mineral_Tea.png/revision/latest/scale-to-width-down/83?cb=20190410140713", + "effects": [ + "Restores 7% Drink", + "Restores 15 Burnt Health", + "Player receives Impact Resistance Up", + "Removes Indigestion" + ], + "recipes": [ + { + "result": "Mineral Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Mineral Tea" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Gravel Beetle", + "result": "1x Mineral Tea", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Mineral Tea", + "Water Gravel Beetle", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "6", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "6", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "6", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "5 - 8", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "6", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "6", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "6", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "6", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "6", + "source": "Silver-Nose the Trader" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "6", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "6", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2 - 4", + "100%", + "New Sirocco" + ], + [ + "Felix Jimson, Shopkeeper", + "3", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "6", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "6", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "6", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "6", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "5 - 8", + "100%", + "New Sirocco" + ], + [ + "Pelletier Baker, Chef", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "6", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "6", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "6", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "6", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "6", + "100%", + "Hallowed Marsh" + ], + [ + "Tuan the Alchemist", + "6", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "6", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Mineral Tea is a drink item in Outward." + }, + { + "name": "Mining Pick", + "url": "https://outward.fandom.com/wiki/Mining_Pick", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Maces", + "Damage": "17", + "Durability": "275", + "Impact": "25", + "Object ID": "2120050", + "Sell": "6", + "Stamina Cost": "5.5", + "Type": "Two-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/97/Mining_Pick.png/revision/latest?cb=20190417104924", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Mining Pick" + }, + { + "result": "Mantis Greatpick", + "result_count": "1x", + "ingredients": [ + "Mantis Granite", + "Mantis Granite", + "Palladium Scrap", + "Mining Pick" + ], + "station": "None", + "source_page": "Mining Pick" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.5", + "damage": "17", + "description": "Two slashing strikes, left to right", + "impact": "25", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.6", + "damage": "12.75", + "description": "Blunt strike with high impact", + "impact": "50", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.6", + "damage": "23.8", + "description": "Powerful overhead strike", + "impact": "35", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.6", + "damage": "23.8", + "description": "Forward-running uppercut strike", + "impact": "35", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17", + "25", + "5.5", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "12.75", + "50", + "6.6", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "23.8", + "35", + "6.6", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "23.8", + "35", + "6.6", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Mantis GraniteMantis GranitePalladium ScrapMining Pick", + "result": "1x Mantis Greatpick", + "station": "None" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ], + [ + "1x Mantis Greatpick", + "Mantis GraniteMantis GranitePalladium ScrapMining Pick", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Vendavel Fortress", + "quantity": "2 - 5", + "source": "Vendavel Prisoner" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Patrick Arago, General Store", + "1", + "100%", + "New Sirocco" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1", + "100%", + "New Sirocco" + ], + [ + "Vendavel Prisoner", + "2 - 5", + "100%", + "Vendavel Fortress" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Animated Skeleton (Miner)" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Slave" + } + ], + "raw_rows": [ + [ + "Animated Skeleton (Miner)", + "1", + "100%" + ], + [ + "Bandit Slave", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 2", + "8.6%", + "Abrassar, Trog Infiltration" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Mining Pick is a type of mace, most commonly used for Mining. In order to be used for Mining, Mining Pick must not be broken." + }, + { + "name": "Misplaced Lab Lever", + "url": "https://outward.fandom.com/wiki/Misplaced_Lab_Lever", + "categories": [ + "DLC: The Soroboreans", + "Other", + "Items" + ], + "infobox": { + "Buy": "1", + "Class": "Other", + "DLC": "The Soroboreans", + "Object ID": "5600140", + "Sell": "1", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a2/Misplaced_Lab_Lever.png/revision/latest/scale-to-width-down/83?cb=20200623095701", + "description": "Misplaced Lab Lever is an Item in Outward." + }, + { + "name": "Mist Potion", + "url": "https://outward.fandom.com/wiki/Mist_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "15", + "Effects": "Mist", + "Object ID": "4300090", + "Perish Time": "∞", + "Sell": "4", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c3/Mist_Potion.png/revision/latest?cb=20190410154614", + "effects": [ + "Player receives Mist", + "+20% Ethereal damage", + "+20% Ethereal resistance" + ], + "recipes": [ + { + "result": "Mist Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Mist Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "240 seconds", + "effects": "+20% Ethereal damage+20% Ethereal resistance", + "name": "Mist" + } + ], + "raw_rows": [ + [ + "", + "Mist", + "240 seconds", + "+20% Ethereal damage+20% Ethereal resistance" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Ghost's Eye", + "result": "3x Mist Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Mist Potion", + "Water Ghost's Eye", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Vay the Alchemist" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "37.9%", + "locations": "New Sirocco", + "quantity": "1 - 12", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "1 - 12", + "source": "Vay the Alchemist" + }, + { + "chance": "28.4%", + "locations": "Berg", + "quantity": "1 - 6", + "source": "Shopkeeper Pleel" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "3", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "3", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "3", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "3", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "3", + "100%", + "Berg" + ], + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 12", + "37.9%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "1 - 12", + "33%", + "Berg" + ], + [ + "Shopkeeper Pleel", + "1 - 6", + "28.4%", + "Berg" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 20", + "16.3%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Ancestral General" + }, + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Ancestral General", + "1", + "100%" + ], + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.1%", + "locations": "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.1%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "11.1%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "11.1%", + "locations": "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Hallowed Marsh, Reptilian Lair", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "11.1%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "11.1%", + "locations": "Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "11.1%", + "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco" + ], + [ + "Calygrey Chest", + "1 - 2", + "11.1%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "11.1%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "11.1%", + "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone" + ], + [ + "Corpse", + "1 - 2", + "11.1%", + "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Antique Plateau, Hallowed Marsh, Reptilian Lair" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "11.1%", + "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "11.1%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 2", + "11.1%", + "Voltaic Hatchery" + ] + ] + } + ], + "description": "Mist Potion is a consumable item in Outward." + }, + { + "name": "Molepig Specimen", + "url": "https://outward.fandom.com/wiki/Molepig_Specimen", + "categories": [ + "DLC: The Three Brothers", + "Other", + "Items" + ], + "infobox": { + "Buy": "30", + "DLC": "The Three Brothers", + "Object ID": "6000420", + "Sell": "9", + "Type": "Other", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fc/Molepig_Specimen.png/revision/latest/scale-to-width-down/83?cb=20201220075143", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Unidentified Molepig den" + } + ], + "raw_rows": [ + [ + "Unidentified Molepig den", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Grandmother Medyse" + }, + { + "chance": "86.8%", + "quantity": "1 - 5", + "source": "Breath of Darkness" + } + ], + "raw_rows": [ + [ + "Grandmother Medyse", + "1", + "100%" + ], + [ + "Breath of Darkness", + "1 - 5", + "86.8%" + ] + ] + } + ], + "description": "Molepig Specimen is an Item in Outward." + }, + { + "name": "Monarch Incense", + "url": "https://outward.fandom.com/wiki/Monarch_Incense", + "categories": [ + "DLC: The Soroboreans", + "Incense", + "Items" + ], + "infobox": { + "Buy": "250", + "Class": "Incense", + "DLC": "The Soroboreans", + "Object ID": "6000200", + "Sell": "75", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4b/Monarch_Incense.png/revision/latest/scale-to-width-down/83?cb=20200616185540", + "recipes": [ + { + "result": "Monarch Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Fire" + ], + "station": "Alchemy Kit", + "source_page": "Monarch Incense" + }, + { + "result": "Apollo Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Fire", + "Monarch Incense" + ], + "station": "Alchemy Kit", + "source_page": "Monarch Incense" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's Root Dreamer's Root Elemental Particle – Fire", + "result": "4x Monarch Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Monarch Incense", + "Dreamer's Root Dreamer's Root Elemental Particle – Fire", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – FireMonarch Incense", + "result": "4x Apollo Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Apollo Incense", + "Purifying QuartzTourmalineElemental Particle – FireMonarch Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.4%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "24.4%", + "Forgotten Research Laboratory" + ] + ] + }, + { + "title": "Used In Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Castigation" + }, + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +12% Impact resistance", + "enchantment": "Unwavering Determination" + }, + { + "effects": "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus", + "enchantment": "Warmaster" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Castigation", + "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Unwavering Determination", + "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +12% Impact resistance" + ], + [ + "Warmaster", + "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus" + ] + ] + } + ], + "description": "Monarch Incense is an Item in Outward, used in Enchanting." + }, + { + "name": "Montcalm Key", + "url": "https://outward.fandom.com/wiki/Montcalm_Key", + "categories": [ + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "5600060", + "Sell": "0", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Giant_Iron_Key.png/revision/latest/scale-to-width-down/83?cb=20190412211145", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Captain" + } + ], + "raw_rows": [ + [ + "Bandit Captain", + "1", + "100%" + ] + ] + } + ], + "description": "Montcalm Key is an item in Outward." + }, + { + "name": "Morpho Incense", + "url": "https://outward.fandom.com/wiki/Morpho_Incense", + "categories": [ + "DLC: The Soroboreans", + "Incense", + "Items" + ], + "infobox": { + "Buy": "600", + "Class": "Incense", + "DLC": "The Soroboreans", + "Object ID": "6000240", + "Sell": "180", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a7/Morpho_Incense.png/revision/latest/scale-to-width-down/83?cb=20200616185541", + "recipes": [ + { + "result": "Morpho Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Ice", + "Chrysalis Incense" + ], + "station": "Alchemy Kit", + "source_page": "Morpho Incense" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying Quartz Tourmaline Elemental Particle – Ice Chrysalis Incense", + "result": "4x Morpho Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Morpho Incense", + "Purifying Quartz Tourmaline Elemental Particle – Ice Chrysalis Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.4%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "24.4%", + "Forgotten Research Laboratory" + ] + ] + }, + { + "title": "Used In Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Changes the color of the lantern to blue and effects of Flamethrower to Frost. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit.", + "enchantment": "Blaze Blue" + }, + { + "effects": "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)", + "enchantment": "Economy" + }, + { + "effects": "Weapon inflicts Scorched, Chill, Curse, Doom, Haunted, all with 21% buildupWeapon gains +0.1 flat Attack Speed", + "enchantment": "Rainbow Hex" + }, + { + "effects": "Gain +15% Fire and +25% Frost damage bonus", + "enchantment": "Spirit of Cierzo" + }, + { + "effects": "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance", + "enchantment": "Stabilizing Forces" + }, + { + "effects": "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact.", + "enchantment": "Wendigo's Breath" + } + ], + "raw_rows": [ + [ + "Blaze Blue", + "Changes the color of the lantern to blue and effects of Flamethrower to Frost. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit." + ], + [ + "Economy", + "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)" + ], + [ + "Rainbow Hex", + "Weapon inflicts Scorched, Chill, Curse, Doom, Haunted, all with 21% buildupWeapon gains +0.1 flat Attack Speed" + ], + [ + "Spirit of Cierzo", + "Gain +15% Fire and +25% Frost damage bonus" + ], + [ + "Stabilizing Forces", + "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance" + ], + [ + "Wendigo's Breath", + "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact." + ] + ] + } + ], + "description": "Morpho Incense is an Item in Outward, used in Enchanting." + }, + { + "name": "Murmure", + "url": "https://outward.fandom.com/wiki/Murmure", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "55", + "Durability": "300", + "Effects": "-15% Stamina costs-15% Physical resistance on Player", + "Impact": "16", + "Object ID": "2200191", + "Sell": "750", + "Stamina Cost": "3.22", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/97/Murmure.png/revision/latest/scale-to-width-down/83?cb=20201220075146", + "effects": [ + "Reduces Stamina costs by -15%", + "-15% Physical resistance on Player" + ], + "recipes": [ + { + "result": "Murmure", + "result_count": "1x", + "ingredients": [ + "Ceremonial Bow", + "Pearlbird Mask" + ], + "station": "None", + "source_page": "Murmure" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ceremonial Bow Pearlbird Mask", + "result": "1x Murmure", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Murmure", + "Ceremonial Bow Pearlbird Mask", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Murmure is a Unique type of Weapon in Outward." + }, + { + "name": "Mushroom Halberd", + "url": "https://outward.fandom.com/wiki/Mushroom_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "13", + "Class": "Polearms", + "Damage": "23", + "Durability": "175", + "Effects": "Poison", + "Impact": "27", + "Item Set": "Troglodyte Set", + "Object ID": "2140050", + "Sell": "4", + "Stamina Cost": "5.5", + "Type": "Halberd", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/78/Mushroom_Halberd.png/revision/latest?cb=20190412213251", + "effects": [ + "Inflicts Poisoned (45% buildup)" + ], + "effect_links": [ + "/wiki/Poisoned", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.5", + "damage": "23", + "description": "Two wide-sweeping strikes, left to right", + "impact": "27", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.88", + "damage": "29.9", + "description": "Forward-thrusting strike", + "impact": "35.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.88", + "damage": "29.9", + "description": "Wide-sweeping strike from left", + "impact": "35.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.63", + "damage": "39.1", + "description": "Slow but powerful sweeping strike", + "impact": "45.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "23", + "27", + "5.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "29.9", + "35.1", + "6.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "29.9", + "35.1", + "6.88", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "39.1", + "45.9", + "9.63", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Armored Troglodyte" + } + ], + "raw_rows": [ + [ + "Armored Troglodyte", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.5%", + "locations": "Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "1 - 4", + "11.5%", + "Under Island" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Mushroom Halberd is a polearm in Outward." + }, + { + "name": "Mushroom Shield", + "url": "https://outward.fandom.com/wiki/Mushroom_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Shields", + "Damage": "8.4 5.6", + "Durability": "85", + "Effects": "Poisoned", + "Impact": "33", + "Impact Resist": "10%", + "Item Set": "Troglodyte Set", + "Object ID": "2300150", + "Sell": "6", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b3/Mushroom_Shield.png/revision/latest/scale-to-width-down/83?cb=20190411105213", + "effects": [ + "Inflicts Poisoned (60% buildup)" + ], + "effect_links": [ + "/wiki/Poisoned", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "23.2%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/Low Stock", + "1 - 3", + "23.2%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.4%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "6.4%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "6.4%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 2", + "source": "Trog Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 2", + "6.4%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "6.4%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 2", + "6.4%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Mushroom Shield is a shield in Outward." + }, + { + "name": "Myrm Tongue", + "url": "https://outward.fandom.com/wiki/Myrm_Tongue", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "120", + "DLC": "The Three Brothers", + "Object ID": "6000300", + "Sell": "36", + "Type": "Ingredient", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f7/Myrm_Tongue.png/revision/latest/scale-to-width-down/83?cb=20201220075147", + "recipes": [ + { + "result": "Slayer's Armor", + "result_count": "1x", + "ingredients": [ + "Myrm Tongue", + "Gargoyle Urn Shard", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Myrm Tongue" + }, + { + "result": "Slayer's Helmet", + "result_count": "1x", + "ingredients": [ + "Dweller's Brain", + "Myrm Tongue", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Myrm Tongue" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Myrm TongueGargoyle Urn ShardPalladium ScrapPalladium Scrap", + "result": "1x Slayer's Armor", + "station": "None" + }, + { + "ingredients": "Dweller's BrainMyrm TonguePalladium Scrap", + "result": "1x Slayer's Helmet", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Slayer's Armor", + "Myrm TongueGargoyle Urn ShardPalladium ScrapPalladium Scrap", + "None" + ], + [ + "1x Slayer's Helmet", + "Dweller's BrainMyrm TonguePalladium Scrap", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Matriarch Myrmitaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Myrmitaur" + } + ], + "raw_rows": [ + [ + "Matriarch Myrmitaur", + "1", + "100%" + ], + [ + "Myrmitaur", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Myrm Tongue is an Item in Outward." + }, + { + "name": "Myrmitaur Haven Gate Key", + "url": "https://outward.fandom.com/wiki/Myrmitaur_Haven_Gate_Key", + "categories": [ + "DLC: The Three Brothers", + "Key", + "Items" + ], + "infobox": { + "Buy": "1", + "DLC": "The Three Brothers", + "Object ID": "5600175", + "Sell": "1", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/59/Myrmitaur_Haven_Gate_Key.png/revision/latest/scale-to-width-down/83?cb=20201220075148", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Matriarch Myrmitaur" + } + ], + "raw_rows": [ + [ + "Matriarch Myrmitaur", + "1", + "100%" + ] + ] + } + ], + "description": "Myrmitaur Haven Gate Key is an Item in Outward." + }, + { + "name": "Mysterious Blade", + "url": "https://outward.fandom.com/wiki/Mysterious_Blade", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "800", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "15 10", + "Durability": "200", + "Impact": "25", + "Object ID": "2000320", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/74/Mysterious_Blade.png/revision/latest/scale-to-width-down/83?cb=20201220075149", + "recipes": [ + { + "result": "Mysterious Blade", + "result_count": "1x", + "ingredients": [ + "Mysterious Long Blade" + ], + "station": "None", + "source_page": "Mysterious Blade" + }, + { + "result": "Gep's Blade", + "result_count": "1x", + "ingredients": [ + "Mysterious Blade", + "Gep's Drink", + "Gep's Drink", + "Gep's Drink" + ], + "station": "None", + "source_page": "Mysterious Blade" + }, + { + "result": "Mysterious Long Blade", + "result_count": "1x", + "ingredients": [ + "Mysterious Blade" + ], + "station": "None", + "source_page": "Mysterious Blade" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "15 10", + "description": "Two slash attacks, left to right", + "impact": "25", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.24", + "damage": "22.43 14.95", + "description": "Forward-thrusting strike", + "impact": "32.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "18.97 12.65", + "description": "Heavy left-lunging strike", + "impact": "27.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.72", + "damage": "18.97 12.65", + "description": "Heavy right-lunging strike", + "impact": "27.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "15 10", + "25", + "5.2", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "22.43 14.95", + "32.5", + "6.24", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "18.97 12.65", + "27.5", + "5.72", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "18.97 12.65", + "27.5", + "5.72", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mysterious Long Blade", + "result": "1x Mysterious Blade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Mysterious Blade", + "Mysterious Long Blade", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mysterious BladeGep's DrinkGep's DrinkGep's Drink", + "result": "1x Gep's Blade", + "station": "None" + }, + { + "ingredients": "Mysterious Blade", + "result": "1x Mysterious Long Blade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gep's Blade", + "Mysterious BladeGep's DrinkGep's DrinkGep's Drink", + "None" + ], + [ + "1x Mysterious Long Blade", + "Mysterious Blade", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Mysterious Blade is a type of Weapon in Outward. It can be obtained by putting a Mysterious Long Blade in a survival crafting recipe by itself." + }, + { + "name": "Mysterious Chakram", + "url": "https://outward.fandom.com/wiki/Mysterious_Chakram", + "categories": [ + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Chakrams", + "Damage": "16 16", + "Durability": "250", + "Impact": "35", + "Object ID": "5110070", + "Sell": "90", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Mysterious Chakram is a Chakram in Outward, which resembles a pizza." + }, + { + "name": "Mysterious Long Blade", + "url": "https://outward.fandom.com/wiki/Mysterious_Long_Blade", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "1000", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "15 10", + "Durability": "200", + "Impact": "25", + "Object ID": "2100300", + "Sell": "300", + "Stamina Cost": "7.15", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e9/Mysterious_Long_Blade.png/revision/latest/scale-to-width-down/83?cb=20201220075151", + "recipes": [ + { + "result": "Mysterious Long Blade", + "result_count": "1x", + "ingredients": [ + "Mysterious Blade" + ], + "station": "None", + "source_page": "Mysterious Long Blade" + }, + { + "result": "Gep's Longblade", + "result_count": "1x", + "ingredients": [ + "Mysterious Long Blade", + "Gep's Drink", + "Gep's Drink", + "Gep's Drink" + ], + "station": "None", + "source_page": "Mysterious Long Blade" + }, + { + "result": "Mysterious Blade", + "result_count": "1x", + "ingredients": [ + "Mysterious Long Blade" + ], + "station": "None", + "source_page": "Mysterious Long Blade" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.15", + "damage": "15 10", + "description": "Two slashing strikes, left to right", + "impact": "25", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.3", + "damage": "22.5 15", + "description": "Overhead downward-thrusting strike", + "impact": "37.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.87", + "damage": "18.97 12.65", + "description": "Spinning strike from the right", + "impact": "27.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.87", + "damage": "18.97 12.65", + "description": "Spinning strike from the left", + "impact": "27.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "15 10", + "25", + "7.15", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "22.5 15", + "37.5", + "9.3", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "18.97 12.65", + "27.5", + "7.87", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "18.97 12.65", + "27.5", + "7.87", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mysterious Blade", + "result": "1x Mysterious Long Blade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Mysterious Long Blade", + "Mysterious Blade", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Mysterious Long BladeGep's DrinkGep's DrinkGep's Drink", + "result": "1x Gep's Longblade", + "station": "None" + }, + { + "ingredients": "Mysterious Long Blade", + "result": "1x Mysterious Blade", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gep's Longblade", + "Mysterious Long BladeGep's DrinkGep's DrinkGep's Drink", + "None" + ], + [ + "1x Mysterious Blade", + "Mysterious Long Blade", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Mysterious Long Blade is a type of Weapon in Outward." + }, + { + "name": "Needle Tea", + "url": "https://outward.fandom.com/wiki/Needle_Tea", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Drink": "7%", + "Effects": "Restores 15 Burnt StaminaHot Weather DefenseRemoves Indigestion", + "Object ID": "4200070", + "Perish Time": "∞", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/ba/Needle_Tea.png/revision/latest/scale-to-width-down/83?cb=20190410140618", + "effects": [ + "Restores 7% Drink", + "Restores 15 Burnt Stamina", + "Player receives Hot Weather Defense", + "Removes Indigestion" + ], + "recipes": [ + { + "result": "Needle Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Cactus Fruit" + ], + "station": "Cooking Pot", + "source_page": "Needle Tea" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Cactus Fruit", + "result": "1x Needle Tea", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Needle Tea", + "Water Cactus Fruit", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "2", + "source": "Chef Tenno" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "5 - 8", + "source": "Patrick Arago, General Store" + }, + { + "chance": "35.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Chef Tenno", + "2", + "100%", + "Levant" + ], + [ + "Patrick Arago, General Store", + "5 - 8", + "100%", + "New Sirocco" + ], + [ + "Felix Jimson, Shopkeeper", + "2", + "35.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Needle Tea is a drink item in Outward." + }, + { + "name": "Nephrite Gemstone", + "url": "https://outward.fandom.com/wiki/Nephrite_Gemstone", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6005360", + "Sell": "27", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/91/Nephrite_Gemstone.png/revision/latest/scale-to-width-down/83?cb=20201220075152", + "recipes": [ + { + "result": "Chalcedony Axe", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Axe" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Bow", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Bow" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Chakram", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Chakram" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Claymore", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Claymore" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Greataxe", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Greataxe" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Halberd", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Halberd" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Hammer", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Militia Hammer", + "Nephrite Gemstone" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Knuckles", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Knuckles" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Mace", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Militia Mace", + "Nephrite Gemstone" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Spear", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Chalcedony", + "Nephrite Gemstone", + "Militia Spear" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Sword", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Nephrite Gemstone", + "Militia Sword" + ], + "station": "None", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Armor", + "result_count": "1x", + "ingredients": [ + "600 silver", + "1x Nephrite Gemstone", + "5x Chalcedony" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Boots", + "result_count": "1x", + "ingredients": [ + "300 silver", + "1x Nephrite Gemstone", + "3x Chalcedony" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Nephrite Gemstone" + }, + { + "result": "Chalcedony Helmet", + "result_count": "1x", + "ingredients": [ + "400 silver", + "1x Nephrite Gemstone", + "3x Chalcedony" + ], + "station": "Sal Dumas, Blacksmith", + "source_page": "Nephrite Gemstone" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "ChalcedonyNephrite GemstoneMilitia Axe", + "result": "1x Chalcedony Axe", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Bow", + "result": "1x Chalcedony Bow", + "station": "None" + }, + { + "ingredients": "ChalcedonyNephrite GemstoneMilitia Chakram", + "result": "1x Chalcedony Chakram", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Claymore", + "result": "1x Chalcedony Claymore", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Greataxe", + "result": "1x Chalcedony Greataxe", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Halberd", + "result": "1x Chalcedony Halberd", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyMilitia HammerNephrite Gemstone", + "result": "1x Chalcedony Hammer", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Knuckles", + "result": "1x Chalcedony Knuckles", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyMilitia MaceNephrite Gemstone", + "result": "1x Chalcedony Mace", + "station": "None" + }, + { + "ingredients": "ChalcedonyChalcedonyNephrite GemstoneMilitia Spear", + "result": "1x Chalcedony Spear", + "station": "None" + }, + { + "ingredients": "ChalcedonyNephrite GemstoneMilitia Sword", + "result": "1x Chalcedony Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Axe", + "ChalcedonyNephrite GemstoneMilitia Axe", + "None" + ], + [ + "1x Chalcedony Bow", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Bow", + "None" + ], + [ + "1x Chalcedony Chakram", + "ChalcedonyNephrite GemstoneMilitia Chakram", + "None" + ], + [ + "1x Chalcedony Claymore", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Claymore", + "None" + ], + [ + "1x Chalcedony Greataxe", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Greataxe", + "None" + ], + [ + "1x Chalcedony Halberd", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Halberd", + "None" + ], + [ + "1x Chalcedony Hammer", + "ChalcedonyChalcedonyMilitia HammerNephrite Gemstone", + "None" + ], + [ + "1x Chalcedony Knuckles", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Knuckles", + "None" + ], + [ + "1x Chalcedony Mace", + "ChalcedonyChalcedonyMilitia MaceNephrite Gemstone", + "None" + ], + [ + "1x Chalcedony Spear", + "ChalcedonyChalcedonyNephrite GemstoneMilitia Spear", + "None" + ], + [ + "1x Chalcedony Sword", + "ChalcedonyNephrite GemstoneMilitia Sword", + "None" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "600 silver1x Nephrite Gemstone5x Chalcedony", + "result": "1x Chalcedony Armor", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "300 silver1x Nephrite Gemstone3x Chalcedony", + "result": "1x Chalcedony Boots", + "station": "Sal Dumas, Blacksmith" + }, + { + "ingredients": "400 silver1x Nephrite Gemstone3x Chalcedony", + "result": "1x Chalcedony Helmet", + "station": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Chalcedony Armor", + "600 silver1x Nephrite Gemstone5x Chalcedony", + "Sal Dumas, Blacksmith" + ], + [ + "1x Chalcedony Boots", + "300 silver1x Nephrite Gemstone3x Chalcedony", + "Sal Dumas, Blacksmith" + ], + [ + "1x Chalcedony Helmet", + "400 silver1x Nephrite Gemstone3x Chalcedony", + "Sal Dumas, Blacksmith" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Quartz Gastrocin" + }, + { + "chance": "12.5%", + "quantity": "1", + "source": "Gastrocin" + }, + { + "chance": "12.5%", + "quantity": "1", + "source": "Volcanic Gastrocin" + } + ], + "raw_rows": [ + [ + "Quartz Gastrocin", + "1", + "100%" + ], + [ + "Gastrocin", + "1", + "12.5%" + ], + [ + "Volcanic Gastrocin", + "1", + "12.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Nephrite Gemstone is an Item in Outward." + }, + { + "name": "Nerve Bomb", + "url": "https://outward.fandom.com/wiki/Nerve_Bomb", + "categories": [ + "DLC: The Three Brothers", + "Bomb", + "Items" + ], + "infobox": { + "Buy": "25", + "DLC": "The Three Brothers", + "Effects": "90 Ethereal damage and 200 ImpactInflicts Confusion", + "Object ID": "4600060", + "Sell": "8", + "Type": "Bomb", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f6/Nerve_Bomb.png/revision/latest/scale-to-width-down/83?cb=20201220075153", + "effects": [ + "Explosion deals 90 Ethereal damage and 200 Impact", + "Inflicts Confusion (100% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Nerve Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Ambraine", + "Charge – Nerve Gas" + ], + "station": "Alchemy Kit", + "source_page": "Nerve Bomb" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb Kit Ambraine Charge – Nerve Gas", + "result": "1x Nerve Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Nerve Bomb", + "Bomb Kit Ambraine Charge – Nerve Gas", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6 - 8", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "6 - 8", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Nerve Bomb is an Item in Outward." + }, + { + "name": "Nightmare Mushroom", + "url": "https://outward.fandom.com/wiki/Nightmare_Mushroom", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "2", + "DLC": "The Soroboreans", + "Effects": "Restores 50 Stamina+2% Corruption", + "Hunger": "5%", + "Object ID": "4000340", + "Perish Time": "9 Days, 22 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7e/Nightmare_Mushroom.png/revision/latest/scale-to-width-down/83?cb=20200616185542", + "effects": [ + "Restores 5% Hunger", + "Restores 50 Stamina", + "Adds 2% Corruption" + ], + "recipes": [ + { + "result": "Alertness Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Nightmare Mushroom", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Nightmare Mushroom" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Nightmare Mushroom" + }, + { + "result": "Grilled Nightmare Mushroom", + "result_count": "1x", + "ingredients": [ + "Nightmare Mushroom" + ], + "station": "Campfire", + "source_page": "Nightmare Mushroom" + }, + { + "result": "Illuminating Potion", + "result_count": "1x", + "ingredients": [ + "Leyline Water", + "Nightmare Mushroom", + "Gaberry Wine", + "Liquid Corruption" + ], + "station": "Alchemy Kit", + "source_page": "Nightmare Mushroom" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterNightmare MushroomStingleaf", + "result": "3x Alertness Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Nightmare Mushroom", + "result": "1x Grilled Nightmare Mushroom", + "station": "Campfire" + }, + { + "ingredients": "Leyline WaterNightmare MushroomGaberry WineLiquid Corruption", + "result": "1x Illuminating Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Alertness Potion", + "WaterNightmare MushroomStingleaf", + "Alchemy Kit" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x Grilled Nightmare Mushroom", + "Nightmare Mushroom", + "Campfire" + ], + [ + "1x Illuminating Potion", + "Leyline WaterNightmare MushroomGaberry WineLiquid Corruption", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Nightmare Mushrooms (Gatherable)" + } + ], + "raw_rows": [ + [ + "Nightmare Mushrooms (Gatherable)", + "3", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "8", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 3", + "source": "Pholiota/Low Stock" + }, + { + "chance": "23.2%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 9", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "8", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "2 - 3", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "2 - 9", + "23.2%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Blood Mage Hideout", + "quantity": "2 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled", + "quantity": "2 - 3", + "source": "Calygrey Chest" + }, + { + "chance": "5.6%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "2 - 3", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Destroyed Test Chambers", + "quantity": "2 - 3", + "source": "Corpse" + }, + { + "chance": "5.6%", + "locations": "Antique Plateau", + "quantity": "2 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "5.6%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "2 - 3", + "source": "Junk Pile" + }, + { + "chance": "5.6%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "2 - 3", + "source": "Ornate Chest" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "2 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "2 - 3", + "5.6%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "2 - 3", + "5.6%", + "Ark of the Exiled" + ], + [ + "Chest", + "2 - 3", + "5.6%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "2 - 3", + "5.6%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "2 - 3", + "5.6%", + "Antique Plateau" + ], + [ + "Junk Pile", + "2 - 3", + "5.6%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "2 - 3", + "5.6%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "2 - 3", + "5.6%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Nightmare Mushroom is an Item in Outward." + }, + { + "name": "Noble Clothes", + "url": "https://outward.fandom.com/wiki/Noble_Clothes", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "400", + "DLC": "The Three Brothers", + "Damage Resist": "9% 20% 10% 20%", + "Durability": "250", + "Hot Weather Def.": "7", + "Impact Resist": "5%", + "Item Set": "Noble Set", + "Mana Cost": "-10%", + "Movement Speed": "5%", + "Object ID": "3100430", + "Sell": "120", + "Slot": "Chest", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cd/Noble_Clothes.png/revision/latest/scale-to-width-down/83?cb=20201220075155", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Silkworm's Refuge", + "quantity": "1", + "source": "Silver Tooth" + }, + { + "chance": "33%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1", + "100%", + "Silkworm's Refuge" + ], + [ + "Sal Dumas, Blacksmith", + "1 - 3", + "33%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Noble Clothes is a type of Equipment in Outward." + }, + { + "name": "Noble Mask", + "url": "https://outward.fandom.com/wiki/Noble_Mask", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "250", + "DLC": "The Three Brothers", + "Damage Resist": "4% 20% 10% 10%", + "Durability": "250", + "Hot Weather Def.": "4", + "Impact Resist": "3%", + "Item Set": "Noble Set", + "Mana Cost": "-5%", + "Object ID": "3100431", + "Sell": "75", + "Slot": "Head", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/53/Noble_Mask.png/revision/latest/scale-to-width-down/83?cb=20201220075157", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Silkworm's Refuge", + "quantity": "1", + "source": "Silver Tooth" + }, + { + "chance": "33%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1", + "100%", + "Silkworm's Refuge" + ], + [ + "Sal Dumas, Blacksmith", + "1 - 3", + "33%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Noble Mask is a type of Equipment in Outward." + }, + { + "name": "Noble Set", + "url": "https://outward.fandom.com/wiki/Noble_Set", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "900", + "DLC": "The Three Brothers", + "Damage Resist": "17% 50% 40% 40%", + "Durability": "750", + "Hot Weather Def.": "15", + "Impact Resist": "11%", + "Mana Cost": "-20%", + "Movement Speed": "15%", + "Object ID": "3100430 (Chest)3100431 (Head)3100432 (Legs)", + "Sell": "270", + "Slot": "Set", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fc/Noble_Set.png/revision/latest/scale-to-width-down/250?cb=20201231064019", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "5%", + "column_5": "7", + "column_6": "-10%", + "column_7": "5%", + "durability": "250", + "name": "Noble Clothes", + "resistances": "9% 20% 20% 10%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "4", + "column_6": "-5%", + "column_7": "–", + "durability": "250", + "name": "Noble Mask", + "resistances": "4% 20% 10% 10%", + "weight": "1.0" + }, + { + "class": "Boots", + "column_4": "3%", + "column_5": "4", + "column_6": "-5%", + "column_7": "10%", + "durability": "250", + "name": "Noble Shoes", + "resistances": "4% 10% 10% 20%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Noble Clothes", + "9% 20% 20% 10%", + "5%", + "7", + "-10%", + "5%", + "250", + "4.0", + "Body Armor" + ], + [ + "", + "Noble Mask", + "4% 20% 10% 10%", + "3%", + "4", + "-5%", + "–", + "250", + "1.0", + "Helmets" + ], + [ + "", + "Noble Shoes", + "4% 10% 10% 20%", + "3%", + "4", + "-5%", + "10%", + "250", + "2.0", + "Boots" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "5%", + "column_5": "7", + "column_6": "-10%", + "column_7": "5%", + "durability": "250", + "name": "Noble Clothes", + "resistances": "9% 20% 20% 10%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "4", + "column_6": "-5%", + "column_7": "–", + "durability": "250", + "name": "Noble Mask", + "resistances": "4% 20% 10% 10%", + "weight": "1.0" + }, + { + "class": "Boots", + "column_4": "3%", + "column_5": "4", + "column_6": "-5%", + "column_7": "10%", + "durability": "250", + "name": "Noble Shoes", + "resistances": "4% 10% 10% 20%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Noble Clothes", + "9% 20% 20% 10%", + "5%", + "7", + "-10%", + "5%", + "250", + "4.0", + "Body Armor" + ], + [ + "", + "Noble Mask", + "4% 20% 10% 10%", + "3%", + "4", + "-5%", + "–", + "250", + "1.0", + "Helmets" + ], + [ + "", + "Noble Shoes", + "4% 10% 10% 20%", + "3%", + "4", + "-5%", + "10%", + "250", + "2.0", + "Boots" + ] + ] + } + ], + "description": "Noble Set is a Set in Outward." + }, + { + "name": "Noble Shoes", + "url": "https://outward.fandom.com/wiki/Noble_Shoes", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "250", + "DLC": "The Three Brothers", + "Damage Resist": "4% 10% 20% 10%", + "Durability": "250", + "Hot Weather Def.": "4", + "Impact Resist": "3%", + "Item Set": "Noble Set", + "Mana Cost": "-5%", + "Movement Speed": "10%", + "Object ID": "3100432", + "Sell": "75", + "Slot": "Legs", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/09/Noble_Shoes.png/revision/latest/scale-to-width-down/83?cb=20201220075158", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Silkworm's Refuge", + "quantity": "1", + "source": "Silver Tooth" + }, + { + "chance": "33%", + "locations": "New Sirocco", + "quantity": "1 - 3", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1", + "100%", + "Silkworm's Refuge" + ], + [ + "Sal Dumas, Blacksmith", + "1 - 3", + "33%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Noble Shoes is a type of Equipment in Outward." + }, + { + "name": "Noble's Greed", + "url": "https://outward.fandom.com/wiki/Noble%27s_Greed", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "250", + "DLC": "The Three Brothers", + "Object ID": "6600232", + "Sell": "75", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9d/Noble%27s_Greed.png/revision/latest/scale-to-width-down/83?cb=20201220075200", + "recipes": [ + { + "result": "Frostburn Staff", + "result_count": "1x", + "ingredients": [ + "Leyline Figment", + "Scarlet Whisper", + "Noble's Greed", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Noble's Greed" + }, + { + "result": "Krypteia Armor", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Leyline Figment", + "Vendavel's Hospitality", + "Noble's Greed" + ], + "station": "None", + "source_page": "Noble's Greed" + }, + { + "result": "Manticore Egg", + "result_count": "1x", + "ingredients": [ + "Vendavel's Hospitality", + "Scourge's Tears", + "Noble's Greed", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Noble's Greed" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Leyline FigmentScarlet WhisperNoble's GreedCalygrey's Wisdom", + "result": "1x Frostburn Staff", + "station": "None" + }, + { + "ingredients": "Elatt's RelicLeyline FigmentVendavel's HospitalityNoble's Greed", + "result": "1x Krypteia Armor", + "station": "None" + }, + { + "ingredients": "Vendavel's HospitalityScourge's TearsNoble's GreedCalygrey's Wisdom", + "result": "1x Manticore Egg", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Frostburn Staff", + "Leyline FigmentScarlet WhisperNoble's GreedCalygrey's Wisdom", + "None" + ], + [ + "1x Krypteia Armor", + "Elatt's RelicLeyline FigmentVendavel's HospitalityNoble's Greed", + "None" + ], + [ + "1x Manticore Egg", + "Vendavel's HospitalityScourge's TearsNoble's GreedCalygrey's Wisdom", + "None" + ] + ] + } + ], + "description": "Noble's Greed is an Item in Outward." + }, + { + "name": "Nobleman Set", + "url": "https://outward.fandom.com/wiki/Nobleman_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "187", + "Damage Resist": "7%", + "Durability": "495", + "Hot Weather Def.": "28", + "Impact Resist": "10%", + "Object ID": "3000110 (Chest)3000116 (Legs)3000113 (Head)", + "Sell": "59", + "Slot": "Set", + "Stamina Cost": "-20%", + "Weight": "7.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-10%", + "durability": "165", + "name": "Bright Nobleman Attire", + "resistances": "3%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Bright Nobleman Boots", + "resistances": "2%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Bright Nobleman Hat", + "resistances": "2%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-10%", + "durability": "165", + "name": "Dark Nobleman Attire", + "resistances": "3%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Dark Nobleman Boots", + "resistances": "2%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Dark Nobleman Hat", + "resistances": "2%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Bright Nobleman Attire", + "3%", + "4%", + "14", + "-10%", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Bright Nobleman Boots", + "2%", + "3%", + "7", + "-5%", + "165", + "2.0", + "Boots" + ], + [ + "", + "Bright Nobleman Hat", + "2%", + "3%", + "7", + "-5%", + "165", + "1.0", + "Helmets" + ], + [ + "", + "Dark Nobleman Attire", + "3%", + "4%", + "14", + "-10%", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Dark Nobleman Boots", + "2%", + "3%", + "7", + "-5%", + "165", + "2.0", + "Boots" + ], + [ + "", + "Dark Nobleman Hat", + "2%", + "3%", + "7", + "-5%", + "165", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-10%", + "durability": "165", + "name": "Bright Nobleman Attire", + "resistances": "3%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Bright Nobleman Boots", + "resistances": "2%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Bright Nobleman Hat", + "resistances": "2%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-10%", + "durability": "165", + "name": "Dark Nobleman Attire", + "resistances": "3%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Dark Nobleman Boots", + "resistances": "2%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Dark Nobleman Hat", + "resistances": "2%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Bright Nobleman Attire", + "3%", + "4%", + "14", + "-10%", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Bright Nobleman Boots", + "2%", + "3%", + "7", + "-5%", + "165", + "2.0", + "Boots" + ], + [ + "", + "Bright Nobleman Hat", + "2%", + "3%", + "7", + "-5%", + "165", + "1.0", + "Helmets" + ], + [ + "", + "Dark Nobleman Attire", + "3%", + "4%", + "14", + "-10%", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Dark Nobleman Boots", + "2%", + "3%", + "7", + "-5%", + "165", + "2.0", + "Boots" + ], + [ + "", + "Dark Nobleman Hat", + "2%", + "3%", + "7", + "-5%", + "165", + "1.0", + "Helmets" + ] + ] + } + ], + "description": "Nobleman Set is a Set in Outward." + }, + { + "name": "Nomad Backpack", + "url": "https://outward.fandom.com/wiki/Nomad_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "25", + "Capacity": "50", + "Class": "Backpacks", + "Durability": "∞", + "Object ID": "5300110", + "Preservation Amount": "2%", + "Sell": "8", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/eb/Nomad_Backpack.png/revision/latest?cb=20190410235911", + "effects": [ + "Slows down the decay of perishable items by 2%.", + "Provides 1 Protection to the Durability of items in the backpack when hit by enemies" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "1", + "100%", + "Giants' Village" + ], + [ + "Shopkeeper Doran", + "2", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "1", + "100%", + "Hallowed Marsh" + ] + ] + } + ], + "description": "Nomad Backpack is one of the types of backpacks in Outward. It has a maximum capacity of 50.0 weight, and allows players to wear a lantern." + }, + { + "name": "Novice Hat", + "url": "https://outward.fandom.com/wiki/Novice_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "50", + "Corruption Resist": "10%", + "Damage Resist": "3% 25% 25% 25%", + "Durability": "165", + "Impact Resist": "3%", + "Item Set": "Novice Set", + "Mana Cost": "-5%", + "Object ID": "3000071", + "Sell": "15", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e1/Novice_Hat.png/revision/latest?cb=20190407194718", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "23.4%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 2", + "23.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Novice Hat is a type of Armor in Outward." + }, + { + "name": "Novice Robe", + "url": "https://outward.fandom.com/wiki/Novice_Robe", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "87", + "Corruption Resist": "15%", + "Damage Resist": "6% 25% 25% 25%", + "Durability": "165", + "Impact Resist": "4%", + "Item Set": "Novice Set", + "Mana Cost": "-5%", + "Object ID": "3000070", + "Sell": "28", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/83/Novice_Robe.png/revision/latest?cb=20190415122912", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "23.4%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 2", + "23.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Novice Robe is a type of Armor in Outward." + }, + { + "name": "Novice Set", + "url": "https://outward.fandom.com/wiki/Novice_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "137", + "Corruption Resist": "25%", + "Damage Resist": "9% 50% 50% 50%", + "Durability": "330", + "Impact Resist": "7%", + "Mana Cost": "-10%", + "Object ID": "3000071 (Head)3000070 (Chest)", + "Sell": "43", + "Slot": "Set", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/70/Novice_set.png/revision/latest/scale-to-width-down/195?cb=20190426031501", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Helmets", + "column_4": "3%", + "column_5": "-5%", + "column_6": "10%", + "durability": "165", + "name": "Novice Hat", + "resistances": "3% 25% 25% 25%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "-5%", + "column_6": "15%", + "durability": "165", + "name": "Novice Robe", + "resistances": "6% 25% 25% 25%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Novice Hat", + "3% 25% 25% 25%", + "3%", + "-5%", + "10%", + "165", + "1.0", + "Helmets" + ], + [ + "", + "Novice Robe", + "6% 25% 25% 25%", + "4%", + "-5%", + "15%", + "165", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Helmets", + "column_4": "3%", + "column_5": "-5%", + "column_6": "10%", + "durability": "165", + "name": "Novice Hat", + "resistances": "3% 25% 25% 25%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "-5%", + "column_6": "15%", + "durability": "165", + "name": "Novice Robe", + "resistances": "6% 25% 25% 25%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Novice Hat", + "3% 25% 25% 25%", + "3%", + "-5%", + "10%", + "165", + "1.0", + "Helmets" + ], + [ + "", + "Novice Robe", + "6% 25% 25% 25%", + "4%", + "-5%", + "15%", + "165", + "4.0", + "Body Armor" + ] + ] + } + ], + "description": "Novice Set is a Set in Outward." + }, + { + "name": "Obsidian Axe", + "url": "https://outward.fandom.com/wiki/Obsidian_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "15 15", + "Durability": "300", + "Effects": "Burning", + "Impact": "22", + "Item Set": "Obsidian Set", + "Object ID": "2010230", + "Sell": "90", + "Stamina Cost": "5", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c7/Obsidian_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220075202", + "effects": [ + "Inflicts Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Axe", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Iron Axe" + ], + "station": "None", + "source_page": "Obsidian Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "15 15", + "description": "Two slashing strikes, right to left", + "impact": "22", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6", + "damage": "19.5 19.5", + "description": "Fast, triple-attack strike", + "impact": "28.6", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6", + "damage": "19.5 19.5", + "description": "Quick double strike", + "impact": "28.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6", + "damage": "19.5 19.5", + "description": "Wide-sweeping double strike", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "15 15", + "22", + "5", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "19.5 19.5", + "28.6", + "6", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "19.5 19.5", + "28.6", + "6", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "19.5 19.5", + "28.6", + "6", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian Shard Palladium Scrap Iron Axe", + "result": "1x Obsidian Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Axe", + "Obsidian Shard Palladium Scrap Iron Axe", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Obsidian Axe is a type of Weapon in Outward." + }, + { + "name": "Obsidian Bow", + "url": "https://outward.fandom.com/wiki/Obsidian_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "375", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "25.2 4.8", + "Durability": "250", + "Effects": "Scorched", + "Impact": "17", + "Item Set": "Obsidian Set", + "Object ID": "2200180", + "Sell": "113", + "Stamina Cost": "2.875", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/35/Obsidian_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220075204", + "effects": [ + "Inflicts Scorched (33% buildup)" + ], + "effect_links": [ + "/wiki/Scorched", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Bow", + "result_count": "1x", + "ingredients": [ + "Simple Bow", + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Obsidian Bow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Simple Bow Obsidian Shard Obsidian Shard Palladium Scrap", + "result": "1x Obsidian Bow", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Bow", + "Simple Bow Obsidian Shard Obsidian Shard Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Obsidian Bow is a type of Weapon in Outward." + }, + { + "name": "Obsidian Chakram", + "url": "https://outward.fandom.com/wiki/Obsidian_Chakram", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Chakrams", + "DLC": "The Three Brothers", + "Damage": "21 9", + "Durability": "250", + "Effects": "Burning", + "Impact": "27", + "Item Set": "Obsidian Set", + "Object ID": "5110101", + "Sell": "90", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/46/Obsidian_Chakram.png/revision/latest/scale-to-width-down/83?cb=20201220075205", + "effects": [ + "Inflicts Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Chakram", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Chakram" + ], + "station": "None", + "source_page": "Obsidian Chakram" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian Shard Palladium Scrap Chakram", + "result": "1x Obsidian Chakram", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Chakram", + "Obsidian Shard Palladium Scrap Chakram", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + } + ], + "description": "Obsidian Chakram is a type of Weapon in Outward." + }, + { + "name": "Obsidian Claymore", + "url": "https://outward.fandom.com/wiki/Obsidian_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "375", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "18 18", + "Durability": "325", + "Effects": "Burning", + "Impact": "35", + "Item Set": "Obsidian Set", + "Object ID": "2100250", + "Sell": "113", + "Stamina Cost": "6.875", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/89/Obsidian_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220075206", + "effects": [ + "Inflicts Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Claymore", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Claymore" + ], + "station": "None", + "source_page": "Obsidian Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "18 18", + "description": "Two slashing strikes, left to right", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.94", + "damage": "27 27", + "description": "Overhead downward-thrusting strike", + "impact": "52.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.56", + "damage": "22.77 22.77", + "description": "Spinning strike from the right", + "impact": "38.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.56", + "damage": "22.77 22.77", + "description": "Spinning strike from the left", + "impact": "38.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "18 18", + "35", + "6.875", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "27 27", + "52.5", + "8.94", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "22.77 22.77", + "38.5", + "7.56", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "22.77 22.77", + "38.5", + "7.56", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian Shard Obsidian Shard Palladium Scrap Iron Claymore", + "result": "1x Obsidian Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Claymore", + "Obsidian Shard Obsidian Shard Palladium Scrap Iron Claymore", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Obsidian Claymore is a type of Weapon in Outward." + }, + { + "name": "Obsidian Greataxe", + "url": "https://outward.fandom.com/wiki/Obsidian_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "375", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "18.5 18.5", + "Durability": "325", + "Effects": "Burning", + "Impact": "33", + "Item Set": "Obsidian Set", + "Object ID": "2110210", + "Sell": "113", + "Stamina Cost": "6.875", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ea/Obsidian_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220075208", + "effects": [ + "Inflicts Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Greataxe", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Greataxe" + ], + "station": "None", + "source_page": "Obsidian Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.875", + "damage": "18.5 18.5", + "description": "Two slashing strikes, left to right", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.45", + "damage": "24.05 24.05", + "description": "Uppercut strike into right sweep strike", + "impact": "42.9", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.45", + "damage": "24.05 24.05", + "description": "Left-spinning double strike", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.28", + "damage": "24.05 24.05", + "description": "Right-spinning double strike", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "18.5 18.5", + "33", + "6.875", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "24.05 24.05", + "42.9", + "9.45", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "24.05 24.05", + "42.9", + "9.45", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "24.05 24.05", + "42.9", + "9.28", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian Shard Obsidian Shard Palladium Scrap Iron Greataxe", + "result": "1x Obsidian Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Greataxe", + "Obsidian Shard Obsidian Shard Palladium Scrap Iron Greataxe", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Obsidian Greataxe is a type of Weapon in Outward." + }, + { + "name": "Obsidian Greatmace", + "url": "https://outward.fandom.com/wiki/Obsidian_Greatmace", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "375", + "Class": "Maces", + "Damage": "17 17", + "Durability": "325", + "Effects": "Burning", + "Impact": "43", + "Item Set": "Obsidian Set", + "Object ID": "2120120", + "Sell": "112", + "Stamina Cost": "6.9", + "Type": "Two-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6d/Obsidian_Greatmace.png/revision/latest?cb=20190412212310", + "effects": [ + "Inflicts Burning (60% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Greatmace", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Obsidian Greatmace" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Obsidian Greatmace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.9", + "damage": "17 17", + "description": "Two slashing strikes, left to right", + "impact": "43", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.28", + "damage": "12.75 12.75", + "description": "Blunt strike with high impact", + "impact": "86", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.28", + "damage": "23.8 23.8", + "description": "Powerful overhead strike", + "impact": "60.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.28", + "damage": "23.8 23.8", + "description": "Forward-running uppercut strike", + "impact": "60.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17 17", + "43", + "6.9", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "12.75 12.75", + "86", + "8.28", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "23.8 23.8", + "60.2", + "8.28", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "23.8 23.8", + "60.2", + "8.28", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian Shard Obsidian Shard Palladium Scrap Palladium Scrap", + "result": "1x Obsidian Greatmace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Greatmace", + "Obsidian Shard Obsidian Shard Palladium Scrap Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Obsidian Greatmace is a craftable two-handed mace in Outward." + }, + { + "name": "Obsidian Halberd", + "url": "https://outward.fandom.com/wiki/Obsidian_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "375", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "16 16", + "Durability": "325", + "Effects": "Burning", + "Impact": "37", + "Item Set": "Obsidian Set", + "Object ID": "2150090", + "Sell": "113", + "Stamina Cost": "6.25", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/41/Obsidian_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220075209", + "effects": [ + "Inflicts Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Halberd", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Halberd" + ], + "station": "None", + "source_page": "Obsidian Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.25", + "damage": "16 16", + "description": "Two wide-sweeping strikes, left to right", + "impact": "37", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.81", + "damage": "20.8 20.8", + "description": "Forward-thrusting strike", + "impact": "48.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.81", + "damage": "20.8 20.8", + "description": "Wide-sweeping strike from left", + "impact": "48.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.94", + "damage": "27.2 27.2", + "description": "Slow but powerful sweeping strike", + "impact": "62.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "16 16", + "37", + "6.25", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "20.8 20.8", + "48.1", + "7.81", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "20.8 20.8", + "48.1", + "7.81", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.2 27.2", + "62.9", + "10.94", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian Shard Obsidian Shard Palladium Scrap Iron Halberd", + "result": "1x Obsidian Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Halberd", + "Obsidian Shard Obsidian Shard Palladium Scrap Iron Halberd", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Obsidian Halberd is a type of Weapon in Outward." + }, + { + "name": "Obsidian Knuckles", + "url": "https://outward.fandom.com/wiki/Obsidian_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "12.5 12.5", + "Durability": "325", + "Effects": "Burning", + "Impact": "15", + "Item Set": "Obsidian Set", + "Object ID": "2160180", + "Sell": "90", + "Stamina Cost": "2.5", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2b/Obsidian_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220075210", + "effects": [ + "Inflicts Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Knuckles", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Knuckles" + ], + "station": "None", + "source_page": "Obsidian Knuckles" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.5", + "damage": "12.5 12.5", + "description": "Four fast punches, right to left", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.25", + "damage": "16.25 16.25", + "description": "Forward-lunging left hook", + "impact": "19.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3", + "damage": "16.25 16.25", + "description": "Left dodging, left uppercut", + "impact": "19.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3", + "damage": "16.25 16.25", + "description": "Right dodging, right spinning hammer strike", + "impact": "19.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "12.5 12.5", + "15", + "2.5", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "16.25 16.25", + "19.5", + "3.25", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "16.25 16.25", + "19.5", + "3", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "16.25 16.25", + "19.5", + "3", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian Shard Obsidian Shard Palladium Scrap Iron Knuckles", + "result": "1x Obsidian Knuckles", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Knuckles", + "Obsidian Shard Obsidian Shard Palladium Scrap Iron Knuckles", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Obsidian Knuckles is a type of Weapon in Outward." + }, + { + "name": "Obsidian Mace", + "url": "https://outward.fandom.com/wiki/Obsidian_Mace", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Maces", + "Damage": "16 16", + "Durability": "300", + "Effects": "Burning", + "Impact": "35", + "Item Set": "Obsidian Set", + "Object ID": "2020110", + "Sell": "90", + "Stamina Cost": "5", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0c/Obsidian_Mace.png/revision/latest?cb=20190412211516", + "effects": [ + "Inflicts Burning (60% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Mace", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Obsidian Mace" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Obsidian Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "16 16", + "description": "Two wide-sweeping strikes, right to left", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "20.8 20.8", + "description": "Slow, overhead strike with high impact", + "impact": "87.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "20.8 20.8", + "description": "Fast, forward-thrusting strike", + "impact": "45.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "20.8 20.8", + "description": "Fast, forward-thrusting strike", + "impact": "45.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "16 16", + "35", + "5", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "20.8 20.8", + "87.5", + "6.5", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "20.8 20.8", + "45.5", + "6.5", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.8 20.8", + "45.5", + "6.5", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian Shard Obsidian Shard Palladium Scrap", + "result": "1x Obsidian Mace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Mace", + "Obsidian Shard Obsidian Shard Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Obsidian Mace is a craftable one-handed mace in Outward." + }, + { + "name": "Obsidian Pistol", + "url": "https://outward.fandom.com/wiki/Obsidian_Pistol", + "categories": [ + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "400", + "Class": "Pistols", + "Damage": "60.34 24.64", + "Durability": "150", + "Effects": "Burning", + "Impact": "60", + "Item Set": "Obsidian Set", + "Object ID": "5110150", + "Sell": "120", + "Type": "Off-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/56/Obsidian_Pistol.png/revision/latest?cb=20190406064632", + "effects": [ + "Inflicts Burning (100% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Obsidian Shard", + "Palladium Scrap", + "Crystal Powder" + ], + "station": "None", + "source_page": "Obsidian Pistol" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Flintlock Pistol Obsidian Shard Palladium Scrap Crystal Powder", + "result": "1x Obsidian Pistol", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Pistol", + "Flintlock Pistol Obsidian Shard Palladium Scrap Crystal Powder", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Obsidian Pistol is a craftable pistol in Outward." + }, + { + "name": "Obsidian Shard", + "url": "https://outward.fandom.com/wiki/Obsidian_Shard", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "80", + "Object ID": "6600200", + "Sell": "24", + "Type": "Ingredient", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f1/Obsidian_Shard.png/revision/latest/scale-to-width-down/83?cb=20190412000359", + "recipes": [ + { + "result": "Blazing Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Obsidian Shard", + "Oil Bomb" + ], + "station": "Alchemy Kit", + "source_page": "Obsidian Shard" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Great Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Common Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Axe", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Iron Axe" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Bow", + "result_count": "1x", + "ingredients": [ + "Simple Bow", + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Chakram", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Chakram" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Claymore", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Claymore" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Greataxe", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Greataxe" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Greatmace", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Halberd", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Halberd" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Knuckles", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Knuckles" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Mace", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Obsidian Shard", + "Palladium Scrap", + "Crystal Powder" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Spear", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Spear" + ], + "station": "None", + "source_page": "Obsidian Shard" + }, + { + "result": "Obsidian Sword", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Iron Sword" + ], + "station": "None", + "source_page": "Obsidian Shard" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb KitObsidian ShardOil Bomb", + "result": "1x Blazing Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Obsidian ShardCommon MushroomWater", + "result": "1x Great Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Obsidian ShardPalladium ScrapIron Axe", + "result": "1x Obsidian Axe", + "station": "None" + }, + { + "ingredients": "Simple BowObsidian ShardObsidian ShardPalladium Scrap", + "result": "1x Obsidian Bow", + "station": "None" + }, + { + "ingredients": "Obsidian ShardPalladium ScrapChakram", + "result": "1x Obsidian Chakram", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Claymore", + "result": "1x Obsidian Claymore", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Greataxe", + "result": "1x Obsidian Greataxe", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapPalladium Scrap", + "result": "1x Obsidian Greatmace", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Halberd", + "result": "1x Obsidian Halberd", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Knuckles", + "result": "1x Obsidian Knuckles", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium Scrap", + "result": "1x Obsidian Mace", + "station": "None" + }, + { + "ingredients": "Flintlock PistolObsidian ShardPalladium ScrapCrystal Powder", + "result": "1x Obsidian Pistol", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Spear", + "result": "1x Obsidian Spear", + "station": "None" + }, + { + "ingredients": "Obsidian ShardPalladium ScrapIron Sword", + "result": "1x Obsidian Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Blazing Bomb", + "Bomb KitObsidian ShardOil Bomb", + "Alchemy Kit" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Great Endurance Potion", + "Obsidian ShardCommon MushroomWater", + "Alchemy Kit" + ], + [ + "1x Obsidian Axe", + "Obsidian ShardPalladium ScrapIron Axe", + "None" + ], + [ + "1x Obsidian Bow", + "Simple BowObsidian ShardObsidian ShardPalladium Scrap", + "None" + ], + [ + "1x Obsidian Chakram", + "Obsidian ShardPalladium ScrapChakram", + "None" + ], + [ + "1x Obsidian Claymore", + "Obsidian ShardObsidian ShardPalladium ScrapIron Claymore", + "None" + ], + [ + "1x Obsidian Greataxe", + "Obsidian ShardObsidian ShardPalladium ScrapIron Greataxe", + "None" + ], + [ + "1x Obsidian Greatmace", + "Obsidian ShardObsidian ShardPalladium ScrapPalladium Scrap", + "None" + ], + [ + "1x Obsidian Halberd", + "Obsidian ShardObsidian ShardPalladium ScrapIron Halberd", + "None" + ], + [ + "1x Obsidian Knuckles", + "Obsidian ShardObsidian ShardPalladium ScrapIron Knuckles", + "None" + ], + [ + "1x Obsidian Mace", + "Obsidian ShardObsidian ShardPalladium Scrap", + "None" + ], + [ + "1x Obsidian Pistol", + "Flintlock PistolObsidian ShardPalladium ScrapCrystal Powder", + "None" + ], + [ + "1x Obsidian Spear", + "Obsidian ShardObsidian ShardPalladium ScrapIron Spear", + "None" + ], + [ + "1x Obsidian Sword", + "Obsidian ShardPalladium ScrapIron Sword", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "9%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "9%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Obsidian Elemental" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Obsidian Elemental (Caldera)" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Scarlet Emissary" + }, + { + "chance": "23.5%", + "quantity": "1", + "source": "Burning Man" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Giant Hunter" + } + ], + "raw_rows": [ + [ + "Obsidian Elemental", + "1", + "100%" + ], + [ + "Obsidian Elemental (Caldera)", + "1", + "100%" + ], + [ + "Scarlet Emissary", + "2 - 3", + "100%" + ], + [ + "Burning Man", + "1", + "23.5%" + ], + [ + "Giant Hunter", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Obsidian Shard is used in the traps:" + }, + { + "name": "Obsidian Spear", + "url": "https://outward.fandom.com/wiki/Obsidian_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "375", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "18 18", + "Durability": "325", + "Effects": "Burning", + "Impact": "28", + "Item Set": "Obsidian Set", + "Object ID": "2130260", + "Sell": "113", + "Stamina Cost": "5", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ac/Obsidian_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220075211", + "effects": [ + "Inflicts Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Spear", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Spear" + ], + "station": "None", + "source_page": "Obsidian Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "18 18", + "description": "Two forward-thrusting stabs", + "impact": "28", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "25.2 25.2", + "description": "Forward-lunging strike", + "impact": "33.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "23.4 23.4", + "description": "Left-sweeping strike, jump back", + "impact": "33.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "21.6 21.6", + "description": "Fast spinning strike from the right", + "impact": "30.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "18 18", + "28", + "5", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "25.2 25.2", + "33.6", + "6.25", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "23.4 23.4", + "33.6", + "6.25", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "21.6 21.6", + "30.8", + "6.25", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian Shard Obsidian Shard Palladium Scrap Iron Spear", + "result": "1x Obsidian Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Spear", + "Obsidian Shard Obsidian Shard Palladium Scrap Iron Spear", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Obsidian Spear is a type of Weapon in Outward." + }, + { + "name": "Obsidian Sword", + "url": "https://outward.fandom.com/wiki/Obsidian_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "300", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "14 14", + "Durability": "300", + "Effects": "Burning", + "Impact": "20", + "Item Set": "Obsidian Set", + "Object ID": "2000260", + "Sell": "90", + "Stamina Cost": "4.375", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cb/Obsidian_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220075213", + "effects": [ + "Inflicts Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Obsidian Sword", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Iron Sword" + ], + "station": "None", + "source_page": "Obsidian Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.375", + "damage": "14 14", + "description": "Two slash attacks, left to right", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.25", + "damage": "20.93 20.93", + "description": "Forward-thrusting strike", + "impact": "26", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.81", + "damage": "17.71 17.71", + "description": "Heavy left-lunging strike", + "impact": "22", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.81", + "damage": "17.71 17.71", + "description": "Heavy right-lunging strike", + "impact": "22", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "14 14", + "20", + "4.375", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "20.93 20.93", + "26", + "5.25", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "17.71 17.71", + "22", + "4.81", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "17.71 17.71", + "22", + "4.81", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Obsidian Shard Palladium Scrap Iron Sword", + "result": "1x Obsidian Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Obsidian Sword", + "Obsidian Shard Palladium Scrap Iron Sword", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Obsidian Sword is a type of Weapon in Outward." + }, + { + "name": "Occult Remains", + "url": "https://outward.fandom.com/wiki/Occult_Remains", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "Object ID": "6600110", + "Sell": "18", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/db/Occult_Remains.png/revision/latest?cb=20190402173726", + "recipes": [ + { + "result": "Bone Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Occult Remains", + "Occult Remains", + "Crystal Powder" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Dark Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Occult Remains", + "Mana Stone", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Occult Remains" + }, + { + "result": "Elemental Immunity Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Azure Shrimp", + "Firefly Powder", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Occult Remains" + }, + { + "result": "Elemental Resistance Potion", + "result_count": "1x", + "ingredients": [ + "Smoke Root", + "Occult Remains", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Occult Remains" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Occult Remains", + "Turmmip" + ], + "station": "Alchemy Kit", + "source_page": "Occult Remains" + }, + { + "result": "Golem Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Occult Remains", + "Blue Sand", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Occult Remains" + }, + { + "result": "Horror Axe", + "result_count": "1x", + "ingredients": [ + "Fang Axe", + "Horror Chitin", + "Palladium Scrap", + "Occult Remains" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Bow", + "result_count": "1x", + "ingredients": [ + "Horror Chitin", + "Horror Chitin", + "War Bow", + "Occult Remains" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Chakram", + "result_count": "1x", + "ingredients": [ + "Thorn Chakram", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Greataxe", + "result_count": "1x", + "ingredients": [ + "Fang Greataxe", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Greatmace", + "result_count": "1x", + "ingredients": [ + "Fang Greatclub", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Greatsword", + "result_count": "1x", + "ingredients": [ + "Fang Greatsword", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Halberd", + "result_count": "1x", + "ingredients": [ + "Fang Halberd", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Mace", + "result_count": "1x", + "ingredients": [ + "Fang Club", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Pistol", + "result_count": "1x", + "ingredients": [ + "Cannon Pistol", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Shield", + "result_count": "1x", + "ingredients": [ + "Fang Shield", + "Horror Chitin", + "Palladium Scrap", + "Occult Remains" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Spear", + "result_count": "1x", + "ingredients": [ + "Fang Trident", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Horror Sword", + "result_count": "1x", + "ingredients": [ + "Fang Sword", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Occult Remains" + }, + { + "result": "Poison Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Occult Remains", + "Miasmapod", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Occult Remains" + }, + { + "result": "Possessed Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Occult Remains" + }, + { + "result": "Sanctifier Potion", + "result_count": "3x", + "ingredients": [ + "Leyline Water", + "Purifying Quartz", + "Dreamer's Root", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Occult Remains" + }, + { + "result": "Scourge Cocoon", + "result_count": "2x", + "ingredients": [ + "Occult Remains", + "Horror Chitin", + "Veaber's Egg", + "Veaber's Egg" + ], + "station": "None", + "source_page": "Occult Remains" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Flintlock PistolOccult RemainsOccult RemainsCrystal Powder", + "result": "1x Bone Pistol", + "station": "None" + }, + { + "ingredients": "Gaberry WineOccult RemainsMana StoneGrilled Crabeye Seed", + "result": "1x Dark Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "Thick OilAzure ShrimpFirefly PowderOccult Remains", + "result": "1x Elemental Immunity Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Smoke RootOccult RemainsCrystal Powder", + "result": "1x Elemental Resistance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Occult RemainsTurmmip", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult RemainsBlue SandCrystal Powder", + "result": "1x Golem Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Fang AxeHorror ChitinPalladium ScrapOccult Remains", + "result": "1x Horror Axe", + "station": "None" + }, + { + "ingredients": "Horror ChitinHorror ChitinWar BowOccult Remains", + "result": "1x Horror Bow", + "station": "None" + }, + { + "ingredients": "Thorn ChakramHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Chakram", + "station": "None" + }, + { + "ingredients": "Fang GreataxeHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greataxe", + "station": "None" + }, + { + "ingredients": "Fang GreatclubHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greatmace", + "station": "None" + }, + { + "ingredients": "Fang GreatswordHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greatsword", + "station": "None" + }, + { + "ingredients": "Fang HalberdHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Halberd", + "station": "None" + }, + { + "ingredients": "Fang ClubHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Mace", + "station": "None" + }, + { + "ingredients": "Cannon PistolHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Pistol", + "station": "None" + }, + { + "ingredients": "Fang ShieldHorror ChitinPalladium ScrapOccult Remains", + "result": "1x Horror Shield", + "station": "None" + }, + { + "ingredients": "Fang TridentHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Spear", + "station": "None" + }, + { + "ingredients": "Fang SwordHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Sword", + "station": "None" + }, + { + "ingredients": "Gaberry WineOccult RemainsMiasmapodGrilled Crabeye Seed", + "result": "1x Poison Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult Remains", + "result": "3x Possessed Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Leyline WaterPurifying QuartzDreamer's RootOccult Remains", + "result": "3x Sanctifier Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Occult RemainsHorror ChitinVeaber's EggVeaber's Egg", + "result": "2x Scourge Cocoon", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Bone Pistol", + "Flintlock PistolOccult RemainsOccult RemainsCrystal Powder", + "None" + ], + [ + "1x Dark Varnish", + "Gaberry WineOccult RemainsMana StoneGrilled Crabeye Seed", + "Alchemy Kit" + ], + [ + "1x Elemental Immunity Potion", + "Thick OilAzure ShrimpFirefly PowderOccult Remains", + "Alchemy Kit" + ], + [ + "1x Elemental Resistance Potion", + "Smoke RootOccult RemainsCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Endurance Potion", + "Occult RemainsTurmmip", + "Alchemy Kit" + ], + [ + "1x Golem Elixir", + "WaterOccult RemainsBlue SandCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Horror Axe", + "Fang AxeHorror ChitinPalladium ScrapOccult Remains", + "None" + ], + [ + "1x Horror Bow", + "Horror ChitinHorror ChitinWar BowOccult Remains", + "None" + ], + [ + "1x Horror Chakram", + "Thorn ChakramHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Greataxe", + "Fang GreataxeHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Greatmace", + "Fang GreatclubHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Greatsword", + "Fang GreatswordHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Halberd", + "Fang HalberdHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Mace", + "Fang ClubHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Pistol", + "Cannon PistolHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Shield", + "Fang ShieldHorror ChitinPalladium ScrapOccult Remains", + "None" + ], + [ + "1x Horror Spear", + "Fang TridentHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Sword", + "Fang SwordHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Poison Varnish", + "Gaberry WineOccult RemainsMiasmapodGrilled Crabeye Seed", + "Alchemy Kit" + ], + [ + "3x Possessed Potion", + "WaterOccult Remains", + "Alchemy Kit" + ], + [ + "3x Sanctifier Potion", + "Leyline WaterPurifying QuartzDreamer's RootOccult Remains", + "Alchemy Kit" + ], + [ + "2x Scourge Cocoon", + "Occult RemainsHorror ChitinVeaber's EggVeaber's Egg", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Laine the Alchemist" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "20.8%", + "locations": "New Sirocco", + "quantity": "1 - 6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "17.8%", + "locations": "Berg", + "quantity": "1 - 6", + "source": "Vay the Alchemist" + }, + { + "chance": "11.5%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "9%", + "locations": "Harmattan", + "quantity": "1 - 6", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Laine the Alchemist", + "1", + "100%", + "Monsoon" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 6", + "20.8%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "1 - 6", + "17.8%", + "Berg" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "11.5%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 6", + "9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Accursed Wendigo" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Animated Skeleton" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Butcher of Men" + }, + { + "chance": "100%", + "quantity": "2", + "source": "Hive Lord" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Mad Captain's Bones" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Roland Argenson" + }, + { + "chance": "100%", + "quantity": "1", + "source": "The First Cannibal" + }, + { + "chance": "100%", + "quantity": "2", + "source": "Tyrant of the Hive" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Virulent Hiveman" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Walking Hive" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Wendigo" + }, + { + "chance": "43.8%", + "quantity": "1 - 2", + "source": "Scarlet Emissary" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Friendly Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Raider" + } + ], + "raw_rows": [ + [ + "Accursed Wendigo", + "1", + "100%" + ], + [ + "Animated Skeleton", + "1", + "100%" + ], + [ + "Butcher of Men", + "1", + "100%" + ], + [ + "Hive Lord", + "2", + "100%" + ], + [ + "Mad Captain's Bones", + "1", + "100%" + ], + [ + "Roland Argenson", + "1", + "100%" + ], + [ + "The First Cannibal", + "1", + "100%" + ], + [ + "Tyrant of the Hive", + "2", + "100%" + ], + [ + "Virulent Hiveman", + "1", + "100%" + ], + [ + "Walking Hive", + "1", + "100%" + ], + [ + "Wendigo", + "1", + "100%" + ], + [ + "Scarlet Emissary", + "1 - 2", + "43.8%" + ], + [ + "Friendly Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate Raider", + "1 - 5", + "41%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.1%", + "locations": "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.1%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "11.1%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "11.1%", + "locations": "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "11.1%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Hallowed Marsh, Reptilian Lair", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "11.1%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "11.1%", + "locations": "Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "11.1%", + "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco" + ], + [ + "Calygrey Chest", + "1 - 2", + "11.1%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "11.1%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "11.1%", + "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone" + ], + [ + "Corpse", + "1 - 2", + "11.1%", + "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Antique Plateau, Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1 - 2", + "11.1%", + "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "11.1%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 2", + "11.1%", + "Voltaic Hatchery" + ] + ] + } + ], + "description": "Occult Remains is a crafting material in Outward." + }, + { + "name": "Ocean Fricassee", + "url": "https://outward.fandom.com/wiki/Ocean_Fricassee", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Mana Ratio Recovery 2Health Recovery 2Stamina Recovery 3", + "Hunger": "27.5%", + "Object ID": "4100230", + "Perish Time": "9 Days 22 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/06/Ocean_Fricassee.png/revision/latest?cb=20190410133135", + "effects": [ + "Restores 27.5% Hunger", + "Player receives Mana Ratio Recovery (level 2)", + "Player receives Health Recovery (level 2)", + "Player receives Stamina Recovery (level 3)" + ], + "recipes": [ + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Ocean Fricassee" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Ocean Fricassee" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Ocean Fricassee" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Larva Egg Fish Seaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Ocean Fricassee", + "Larva Egg Fish Seaweed", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Master-Chef Arago" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "4", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Master-Chef Arago", + "1 - 3", + "100%", + "Cierzo" + ], + [ + "Ibolya Battleborn, Chef", + "4", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.8%", + "locations": "Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese, Montcalm Clan Fort, Vendavel Fortress", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "11.8%", + "locations": "Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "11.8%", + "locations": "Corrupted Tombs, Voltaic Hatchery", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "11.8%", + "Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "11.8%", + "Chersonese, Montcalm Clan Fort, Vendavel Fortress" + ], + [ + "Junk Pile", + "1", + "11.8%", + "Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "11.8%", + "Corrupted Tombs, Voltaic Hatchery" + ], + [ + "Soldier's Corpse", + "1", + "11.8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ], + [ + "Worker's Corpse", + "1", + "11.8%", + "Chersonese" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Ocean Fricassee is a dish in Outward, and is a type of Fish." + }, + { + "name": "Ochre Spice Beetle", + "url": "https://outward.fandom.com/wiki/Ochre_Spice_Beetle", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "Effects": "Cold Weather Def Up", + "Hunger": "5%", + "Object ID": "4000210", + "Perish Time": "29 Days 18 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9b/Ochre_Spice_Beetle.png/revision/latest?cb=20190525072215", + "effects": [ + "Restores 50 Hunger", + "Player receives Cold Weather Def Up" + ], + "recipes": [ + { + "result": "Bitter Spicy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Ochre Spice Beetle" + }, + { + "result": "Discipline Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Ochre Spice Beetle" + }, + { + "result": "Fungal Cleanser", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Mushroom", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Ochre Spice Beetle" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Ochre Spice Beetle" + }, + { + "result": "Survivor Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Crystal Powder", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Ochre Spice Beetle" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterOchre Spice Beetle", + "result": "1x Bitter Spicy Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterOchre Spice BeetleLivweedi", + "result": "3x Discipline Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WoolshroomMushroomOchre Spice Beetle", + "result": "3x Fungal Cleanser", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterOchre Spice BeetleCrystal PowderLivweedi", + "result": "1x Survivor Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Bitter Spicy Tea", + "WaterOchre Spice Beetle", + "Cooking Pot" + ], + [ + "3x Discipline Potion", + "WaterOchre Spice BeetleLivweedi", + "Alchemy Kit" + ], + [ + "3x Fungal Cleanser", + "WoolshroomMushroomOchre Spice Beetle", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "1x Survivor Elixir", + "WaterOchre Spice BeetleCrystal PowderLivweedi", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "50%", + "quantity": "1", + "source": "Crabeye" + }, + { + "chance": "42.9%", + "quantity": "1", + "source": "Ghost Plant" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Greasy Fern (Gatherable)" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Woolshroom (Gatherable)" + }, + { + "chance": "27.3%", + "quantity": "1", + "source": "Maize (Gatherable)" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Wheat (Gatherable)" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Blood Mushroom (Gatherable)" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Cactus" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Gaberries (Gatherable)" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Krimp" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Livweedi (Gatherable)" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Marshmelon (Gatherable)" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Smoke Root (Gatherable)" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Star Mushroom (Gatherable)" + }, + { + "chance": "20%", + "quantity": "1", + "source": "Sulphuric Mushroom (Gatherable)" + } + ], + "raw_rows": [ + [ + "Crabeye", + "1", + "50%" + ], + [ + "Ghost Plant", + "1", + "42.9%" + ], + [ + "Greasy Fern (Gatherable)", + "1", + "33.3%" + ], + [ + "Woolshroom (Gatherable)", + "1", + "33.3%" + ], + [ + "Maize (Gatherable)", + "1", + "27.3%" + ], + [ + "Wheat (Gatherable)", + "1", + "25%" + ], + [ + "Blood Mushroom (Gatherable)", + "1", + "20%" + ], + [ + "Cactus", + "1", + "20%" + ], + [ + "Gaberries (Gatherable)", + "1", + "20%" + ], + [ + "Krimp", + "1", + "20%" + ], + [ + "Livweedi (Gatherable)", + "1", + "20%" + ], + [ + "Marshmelon (Gatherable)", + "1", + "20%" + ], + [ + "Smoke Root (Gatherable)", + "1", + "20%" + ], + [ + "Star Mushroom (Gatherable)", + "1", + "20%" + ], + [ + "Sulphuric Mushroom (Gatherable)", + "1", + "20%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1 - 3", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 2", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1 - 3", + "source": "Silver-Nose the Trader" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "2 - 24", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "33.8%", + "locations": "Levant", + "quantity": "2", + "source": "Tuan the Alchemist" + }, + { + "chance": "26.5%", + "locations": "New Sirocco", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 12", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 12", + "source": "Fourth Watcher" + }, + { + "chance": "25.8%", + "locations": "Antique Plateau", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Harmattan", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Levant", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Abrassar", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Caldera", + "quantity": "2 - 30", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Gold Belly", + "1 - 3", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "1 - 2", + "100%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Silver-Nose the Trader", + "1 - 3", + "100%", + "Hallowed Marsh" + ], + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Brad Aberdeen, Chef", + "2 - 24", + "43.2%", + "New Sirocco" + ], + [ + "Tuan the Alchemist", + "2", + "33.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "26.5%", + "New Sirocco" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 12", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 12", + "25.9%", + "Conflux Chambers" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "25.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "25.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "25.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "23.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "2 - 30", + "23.4%", + "Caldera" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Pearlbird Cutthroat" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Hive Lord" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Tyrant of the Hive" + }, + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Gastrocin" + }, + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Quartz Gastrocin" + }, + { + "chance": "41.4%", + "quantity": "1 - 4", + "source": "Volcanic Gastrocin" + }, + { + "chance": "37.6%", + "quantity": "2 - 4", + "source": "Phytoflora" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Virulent Hiveman" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Walking Hive" + }, + { + "chance": "22.2%", + "quantity": "1", + "source": "Mana Mantis" + }, + { + "chance": "15.8%", + "quantity": "2 - 3", + "source": "Phytosaur" + }, + { + "chance": "13.3%", + "quantity": "1 - 2", + "source": "Fire Beetle" + }, + { + "chance": "11.3%", + "quantity": "1 - 2", + "source": "Assassin Bug" + }, + { + "chance": "11.3%", + "quantity": "1 - 2", + "source": "Executioner Bug" + } + ], + "raw_rows": [ + [ + "Pearlbird Cutthroat", + "3", + "100%" + ], + [ + "Hive Lord", + "1", + "50%" + ], + [ + "Tyrant of the Hive", + "1", + "50%" + ], + [ + "Gastrocin", + "1 - 4", + "41.4%" + ], + [ + "Quartz Gastrocin", + "1 - 4", + "41.4%" + ], + [ + "Volcanic Gastrocin", + "1 - 4", + "41.4%" + ], + [ + "Phytoflora", + "2 - 4", + "37.6%" + ], + [ + "Virulent Hiveman", + "1", + "25%" + ], + [ + "Walking Hive", + "1", + "25%" + ], + [ + "Mana Mantis", + "1", + "22.2%" + ], + [ + "Phytosaur", + "2 - 3", + "15.8%" + ], + [ + "Fire Beetle", + "1 - 2", + "13.3%" + ], + [ + "Assassin Bug", + "1 - 2", + "11.3%" + ], + [ + "Executioner Bug", + "1 - 2", + "11.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Compromised Mana Transfer Station, Under Island", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters", + "quantity": "1 - 4", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Broken Tent", + "1", + "100%", + "Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Compromised Mana Transfer Station, Under Island" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Abandoned Living Quarters" + ] + ] + } + ], + "description": "Ochre Spice Beetle is an item in Outward." + }, + { + "name": "Oil Bomb", + "url": "https://outward.fandom.com/wiki/Oil_Bomb", + "categories": [ + "DLC: The Three Brothers", + "Bomb", + "Items" + ], + "infobox": { + "Buy": "15", + "DLC": "The Three Brothers", + "Effects": "85 Fire damage and 50 ImpactInflicts Scorched", + "Object ID": "4600010", + "Sell": "5", + "Type": "Bomb", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/01/Oil_Bomb.png/revision/latest/scale-to-width-down/83?cb=20201220075214", + "effects": [ + "Explosion deals 85 Fire damage and 50 Impact", + "Inflicts Scorched (100% buildup)" + ], + "effect_links": [ + "/wiki/Scorched", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Oil Bomb", + "result_count": "1x", + "ingredients": [ + "Sulphuric Mushroom", + "Thick Oil", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Oil Bomb" + }, + { + "result": "Blazing Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Obsidian Shard", + "Oil Bomb" + ], + "station": "Alchemy Kit", + "source_page": "Oil Bomb" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Sulphuric Mushroom Thick Oil Thick Oil", + "result": "1x Oil Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Oil Bomb", + "Sulphuric Mushroom Thick Oil Thick Oil", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb KitObsidian ShardOil Bomb", + "result": "1x Blazing Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Blazing Bomb", + "Bomb KitObsidian ShardOil Bomb", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6 - 8", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "6 - 8", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "1 - 6", + "source": "Supply Cache" + }, + { + "chance": "1.9%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 6", + "19.9%", + "Caldera" + ], + [ + "Supply Cache", + "1 - 6", + "19.9%", + "Caldera" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.9%", + "New Sirocco" + ] + ] + } + ], + "description": "Oil Bomb is an Item in Outward." + }, + { + "name": "Old Harmattan North Key", + "url": "https://outward.fandom.com/wiki/Old_Harmattan_North_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600151", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e1/Old_Harmattan_North_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155317", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Immaculate Raider" + } + ], + "raw_rows": [ + [ + "Immaculate Raider", + "1", + "100%" + ] + ] + } + ], + "description": "Old Harmattan North Key is an Item in Outward." + }, + { + "name": "Old Harmattan South Key", + "url": "https://outward.fandom.com/wiki/Old_Harmattan_South_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600150", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d8/Old_Harmattan_South_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155318", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Immaculate Warlock" + } + ], + "raw_rows": [ + [ + "Immaculate Warlock", + "1", + "100%" + ] + ] + } + ], + "description": "Old Harmattan South Key is an Item in Outward." + }, + { + "name": "Old Lantern", + "url": "https://outward.fandom.com/wiki/Old_Lantern", + "categories": [ + "Items", + "Equipment", + "Lanterns" + ], + "infobox": { + "Buy": "15", + "Class": "Lanterns", + "Durability": "160", + "Object ID": "5100010", + "Sell": "4", + "Type": "Throwable", + "Weight": "0.6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1d/Old_Lantern.png/revision/latest?cb=20190407074644", + "recipes": [ + { + "result": "Old Lantern", + "result_count": "1x", + "ingredients": [ + "Iron Scrap", + "Iron Scrap", + "Thick Oil", + "Linen Cloth" + ], + "station": "None", + "source_page": "Old Lantern" + }, + { + "result": "Old Lantern", + "result_count": "1x", + "ingredients": [ + "Old Lantern", + "Thick Oil" + ], + "station": "None", + "source_page": "Old Lantern" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Old Lantern" + }, + { + "result": "Old Lantern", + "result_count": "1x", + "ingredients": [ + "Old Lantern", + "Thick Oil" + ], + "station": "None", + "source_page": "Old Lantern" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Scrap Iron Scrap Thick Oil Linen Cloth", + "result": "1x Old Lantern", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Old Lantern", + "Iron Scrap Iron Scrap Thick Oil Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Refueling", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Old Lantern Thick Oil", + "result": "1x Old Lantern", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Old Lantern", + "Old Lantern Thick Oil", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Refueling / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Old LanternThick Oil", + "result": "1x Old Lantern", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ], + [ + "1x Old Lantern", + "Old LanternThick Oil", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "4", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "1", + "100%", + "Giants' Village" + ], + [ + "Shopkeeper Doran", + "4", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "1", + "100%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "8.6%", + "locations": "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "8.6%", + "locations": "Blue Chamber's Conflux Path, Forest Hives", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 2", + "8.6%", + "Abrassar, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach" + ], + [ + "Junk Pile", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "8.6%", + "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco" + ], + [ + "Looter's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "8.6%", + "Blue Chamber's Conflux Path, Forest Hives" + ] + ] + } + ], + "description": "Old Lantern is a lantern in Outward." + }, + { + "name": "Old Legion Gladius", + "url": "https://outward.fandom.com/wiki/Old_Legion_Gladius", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "200", + "Class": "Swords", + "Damage": "25", + "Durability": "200", + "Impact": "19", + "Item Set": "Old Legion Set", + "Object ID": "2000090", + "Sell": "60", + "Stamina Cost": "4.2", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/77/Old_Legion_Gladius.png/revision/latest?cb=20190413072135", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Old Legion Gladius" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.2", + "damage": "25", + "description": "Two slash attacks, left to right", + "impact": "19", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.04", + "damage": "37.38", + "description": "Forward-thrusting strike", + "impact": "24.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.62", + "damage": "31.62", + "description": "Heavy left-lunging strike", + "impact": "20.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.62", + "damage": "31.62", + "description": "Heavy right-lunging strike", + "impact": "20.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "19", + "4.2", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "37.38", + "24.7", + "5.04", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "31.62", + "20.9", + "4.62", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "31.62", + "20.9", + "4.62", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Curse and Scorched (both 33% buildup)", + "enchantment": "War Memento" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "War Memento", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Curse and Scorched (both 33% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Dawne" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Bandit" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Vendavel Bandit" + } + ], + "raw_rows": [ + [ + "Dawne", + "1", + "100%" + ], + [ + "Kazite Bandit", + "1", + "100%" + ], + [ + "Vendavel Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Old Legion Gladius is a one-handed sword in Outward." + }, + { + "name": "Old Legion Shield", + "url": "https://outward.fandom.com/wiki/Old_Legion_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Shields", + "Damage": "23", + "Durability": "175", + "Effects": "Bleeding", + "Impact": "43", + "Impact Resist": "15%", + "Item Set": "Old Legion Set", + "Object ID": "2300070", + "Sell": "60", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b5/Old_Legion_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407065633", + "effects": [ + "Inflicts Bleeding (60% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Old Legion Shield" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "21%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "100%", + "Harmattan" + ], + [ + "Quikiza the Blacksmith", + "1 - 2", + "21%", + "Berg" + ], + [ + "Howard Brock, Blacksmith", + "1 - 4", + "17.6%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Animated Skeleton" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Desert Bandit" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Desert Captain" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Bandit" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Vendavel Bandit" + } + ], + "raw_rows": [ + [ + "Animated Skeleton", + "1", + "100%" + ], + [ + "Desert Bandit", + "1", + "100%" + ], + [ + "Desert Captain", + "1", + "100%" + ], + [ + "Kazite Bandit", + "1", + "100%" + ], + [ + "Vendavel Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Old Legion Shield is a type of Shield in Outward." + }, + { + "name": "Old Legion Spear", + "url": "https://outward.fandom.com/wiki/Old_Legion_Spear", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "250", + "Class": "Spears", + "Damage": "32", + "Durability": "225", + "Impact": "22", + "Item Set": "Old Legion Set", + "Object ID": "2130070", + "Sell": "75", + "Stamina Cost": "4.8", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1b/Old_Legion_Spear.png/revision/latest?cb=20190413070502", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Old Legion Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.8", + "damage": "32", + "description": "Two forward-thrusting stabs", + "impact": "22", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6", + "damage": "44.8", + "description": "Forward-lunging strike", + "impact": "26.4", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6", + "damage": "41.6", + "description": "Left-sweeping strike, jump back", + "impact": "26.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6", + "damage": "38.4", + "description": "Fast spinning strike from the right", + "impact": "24.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "32", + "22", + "4.8", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "44.8", + "26.4", + "6", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "41.6", + "26.4", + "6", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "38.4", + "24.2", + "6", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Curse and Scorched (both 33% buildup)", + "enchantment": "War Memento" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "War Memento", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Curse and Scorched (both 33% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Bandit" + } + ], + "raw_rows": [ + [ + "Kazite Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "8.3%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Old Legion Spear is a type of spear in Outward." + }, + { + "name": "Old Levant's Key", + "url": "https://outward.fandom.com/wiki/Old_Levant%27s_Key", + "categories": [ + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "5600021", + "Sell": "0", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Giant_Iron_Key.png/revision/latest/scale-to-width-down/83?cb=20190412211145", + "description": "Old Levant's Key is an item in Outward." + }, + { + "name": "Ore Sample", + "url": "https://outward.fandom.com/wiki/Ore_Sample", + "categories": [ + "DLC: The Three Brothers", + "Other", + "Items" + ], + "infobox": { + "Buy": "30", + "DLC": "The Three Brothers", + "Object ID": "6000340", + "Sell": "9", + "Type": "Other", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4a/Ore_Sample.png/revision/latest/scale-to-width-down/83?cb=20201220075215", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Unidentified Ore Vein" + } + ], + "raw_rows": [ + [ + "Unidentified Ore Vein", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "2", + "source": "Cracked Gargoyle" + }, + { + "chance": "86.8%", + "quantity": "1 - 5", + "source": "Breath of Darkness" + } + ], + "raw_rows": [ + [ + "Cracked Gargoyle", + "2", + "100%" + ], + [ + "Breath of Darkness", + "1 - 5", + "86.8%" + ] + ] + } + ], + "description": "Ore Sample is an Item in Outward." + }, + { + "name": "Orichalcum Armor", + "url": "https://outward.fandom.com/wiki/Orichalcum_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "700", + "Cold Weather Def.": "15", + "Damage Resist": "26%", + "Durability": "430", + "Hot Weather Def.": "-15", + "Impact Resist": "19%", + "Item Set": "Orichalcum Set", + "Movement Speed": "-6%", + "Object ID": "3100180", + "Protection": "3", + "Sell": "210", + "Slot": "Chest", + "Stamina Cost": "5%", + "Weight": "19.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d6/Orichalcum_Armor.png/revision/latest?cb=20190629155345", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Orichalcum Armor" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Black Plate Armor", + "upgrade": "Orichalcum Armor" + } + ], + "raw_rows": [ + [ + "Black Plate Armor", + "Orichalcum Armor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +11% Stamina cost reduction (-11% Stamina costs)Reduces the Weight of this item by -9", + "enchantment": "Light as Wind" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Light as Wind", + "Gain +11% Stamina cost reduction (-11% Stamina costs)Reduces the Weight of this item by -9" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Orichalcum Armor is a type of Armor in Outward." + }, + { + "name": "Orichalcum Boots", + "url": "https://outward.fandom.com/wiki/Orichalcum_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "350", + "Cold Weather Def.": "10", + "Damage Resist": "18%", + "Durability": "430", + "Impact Resist": "11%", + "Item Set": "Orichalcum Set", + "Movement Speed": "-4%", + "Object ID": "3100182", + "Protection": "2", + "Sell": "105", + "Slot": "Legs", + "Stamina Cost": "3%", + "Weight": "13.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8e/Orichalcum_Boots.png/revision/latest?cb=20190629155347", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Orichalcum Boots" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Black Plate Boots", + "upgrade": "Orichalcum Boots" + } + ], + "raw_rows": [ + [ + "Black Plate Boots", + "Orichalcum Boots" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Gain +14% Movement Speed", + "enchantment": "Guidance of Wind" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Guidance of Wind", + "Gain +14% Movement Speed" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Orichalcum Boots is a type of Armor in Outward." + }, + { + "name": "Orichalcum Helmet", + "url": "https://outward.fandom.com/wiki/Orichalcum_Helmet", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "350", + "Cold Weather Def.": "10", + "Damage Resist": "18%", + "Durability": "430", + "Impact Resist": "11%", + "Item Set": "Orichalcum Set", + "Mana Cost": "30%", + "Movement Speed": "-4%", + "Object ID": "3100181", + "Protection": "2", + "Sell": "105", + "Slot": "Head", + "Stamina Cost": "3%", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a0/Orichalcum_Helmet.png/revision/latest?cb=20190629155348", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Orichalcum Helmet" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Black Plate Helm", + "upgrade": "Orichalcum Helmet" + } + ], + "raw_rows": [ + [ + "Black Plate Helm", + "Orichalcum Helmet" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +10% Ethereal damage bonusGain +10% Impact damage bonus", + "enchantment": "Primal Wind" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Primal Wind", + "Gain +10% Ethereal damage bonusGain +10% Impact damage bonus" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Orichalcum Helmet is a type of Armor in Outward." + }, + { + "name": "Orichalcum Set", + "url": "https://outward.fandom.com/wiki/Orichalcum_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1400", + "Cold Weather Def.": "35", + "Damage Resist": "62%", + "Durability": "1290", + "Hot Weather Def.": "-15", + "Impact Resist": "41%", + "Mana Cost": "30%", + "Movement Speed": "-14%", + "Object ID": "3100180 (Chest)3100182 (Legs)3100181 (Head)", + "Protection": "7", + "Sell": "420", + "Slot": "Set", + "Stamina Cost": "11%", + "Weight": "41.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/81/Orichalchum_Set.png/revision/latest/scale-to-width-down/250?cb=20190910071559", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-6%", + "column_4": "19%", + "column_5": "3", + "column_6": "-15", + "column_7": "15", + "column_8": "5%", + "column_9": "–", + "durability": "430", + "name": "Orichalcum Armor", + "resistances": "26%", + "weight": "19.0" + }, + { + "class": "Boots", + "column_10": "-4%", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "10", + "column_8": "3%", + "column_9": "–", + "durability": "430", + "name": "Orichalcum Boots", + "resistances": "18%", + "weight": "13.0" + }, + { + "class": "Helmets", + "column_10": "-4%", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "10", + "column_8": "3%", + "column_9": "30%", + "durability": "430", + "name": "Orichalcum Helmet", + "resistances": "18%", + "weight": "9.0" + } + ], + "raw_rows": [ + [ + "", + "Orichalcum Armor", + "26%", + "19%", + "3", + "-15", + "15", + "5%", + "–", + "-6%", + "430", + "19.0", + "Body Armor" + ], + [ + "", + "Orichalcum Boots", + "18%", + "11%", + "2", + "–", + "10", + "3%", + "–", + "-4%", + "430", + "13.0", + "Boots" + ], + [ + "", + "Orichalcum Helmet", + "18%", + "11%", + "2", + "–", + "10", + "3%", + "30%", + "-4%", + "430", + "9.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-6%", + "column_4": "19%", + "column_5": "3", + "column_6": "-15", + "column_7": "15", + "column_8": "5%", + "column_9": "–", + "durability": "430", + "name": "Orichalcum Armor", + "resistances": "26%", + "weight": "19.0" + }, + { + "class": "Boots", + "column_10": "-4%", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "10", + "column_8": "3%", + "column_9": "–", + "durability": "430", + "name": "Orichalcum Boots", + "resistances": "18%", + "weight": "13.0" + }, + { + "class": "Helmets", + "column_10": "-4%", + "column_4": "11%", + "column_5": "2", + "column_6": "–", + "column_7": "10", + "column_8": "3%", + "column_9": "30%", + "durability": "430", + "name": "Orichalcum Helmet", + "resistances": "18%", + "weight": "9.0" + } + ], + "raw_rows": [ + [ + "", + "Orichalcum Armor", + "26%", + "19%", + "3", + "-15", + "15", + "5%", + "–", + "-6%", + "430", + "19.0", + "Body Armor" + ], + [ + "", + "Orichalcum Boots", + "18%", + "11%", + "2", + "–", + "10", + "3%", + "–", + "-4%", + "430", + "13.0", + "Boots" + ], + [ + "", + "Orichalcum Helmet", + "18%", + "11%", + "2", + "–", + "10", + "3%", + "30%", + "-4%", + "430", + "9.0", + "Helmets" + ] + ] + } + ], + "description": "Orichalcum Set is a Set in Outward." + }, + { + "name": "Ornate Bone Shield", + "url": "https://outward.fandom.com/wiki/Ornate_Bone_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Shields", + "Damage": "19.2 12.8", + "Durability": "220", + "Effects": "Haunted", + "Impact": "51", + "Impact Resist": "17%", + "Object ID": "2300180", + "Sell": "240", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/75/Ornate_Bone_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407070654", + "effects": [ + "Inflicts Haunted (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Ornate Bone Shield is a unique shield in Outward." + }, + { + "name": "Ornate Chakram", + "url": "https://outward.fandom.com/wiki/Ornate_Chakram", + "categories": [ + "Items", + "Weapons", + "Chakrams", + "Off-Handed Weapons" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Chakrams", + "Damage": "40", + "Durability": "350", + "Effects": "Glowing (Light Source)", + "Impact": "41", + "Object ID": "5110040", + "Sell": "270", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cc/Ornate_Chakram.png/revision/latest?cb=20190406073335", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon now inflicts Chill (40% buildup) and Scorched (40% buildup)Adds +4 flat Frost and +4 flat Fire damage", + "enchantment": "Musing of a Philosopher" + }, + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Musing of a Philosopher", + "Weapon now inflicts Chill (40% buildup) and Scorched (40% buildup)Adds +4 flat Frost and +4 flat Fire damage" + ], + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "23.4%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 2", + "23.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Ornate Chakram is a chakram in Outward." + }, + { + "name": "Ornate Pistol", + "url": "https://outward.fandom.com/wiki/Ornate_Pistol", + "categories": [ + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Pistols", + "Damage": "86", + "Durability": "225", + "Impact": "65", + "Object ID": "5110120", + "Sell": "270", + "Type": "Off-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7b/Ornate_Pistol.png/revision/latest?cb=20190406064642", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + }, + { + "effects": "Requires Expanded Library upgradeShot creates an AoE Fire explosion, dealing 0.29x Weapon base damage as Fire damage-23% Physical Damage Bonus", + "enchantment": "Trauma" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ], + [ + "Trauma", + "Requires Expanded Library upgradeShot creates an AoE Fire explosion, dealing 0.29x Weapon base damage as Fire damage-23% Physical Damage Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "19%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Lawrence Dakers, Hunter" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "1", + "100%", + "Levant" + ], + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Lawrence Dakers, Hunter", + "1 - 2", + "19%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Ornate Pistol is a pistol in Outward." + }, + { + "name": "Padded Armor", + "url": "https://outward.fandom.com/wiki/Padded_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "45", + "Cold Weather Def.": "10", + "Damage Resist": "9% 15%", + "Durability": "150", + "Impact Resist": "13%", + "Item Set": "Padded Set", + "Object ID": "3000010", + "Sell": "14", + "Slot": "Chest", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/88/Padded_Armor.png/revision/latest?cb=20190415123055", + "recipes": [ + { + "result": "Ammolite Armor", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Armor", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Padded Armor" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "AmmolitePadded ArmorPalladium Scrap", + "result": "1x Ammolite Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ammolite Armor", + "AmmolitePadded ArmorPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "37.6%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Shopkeeper Doran" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "1 - 5", + "37.6%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "5.9%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "3.8%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + } + ], + "raw_rows": [ + [ + "Bandit Captain", + "1 - 4", + "5.9%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "5.9%" + ], + [ + "Bandit Defender", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "4%" + ], + [ + "Roland Argenson", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "3.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.9%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "1.9%", + "Harmattan" + ] + ] + } + ], + "description": "Padded Armor is a type of Armor in Outward." + }, + { + "name": "Padded Boots", + "url": "https://outward.fandom.com/wiki/Padded_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "25", + "Cold Weather Def.": "5", + "Damage Resist": "5% 7%", + "Durability": "150", + "Impact Resist": "9%", + "Item Set": "Padded Set", + "Object ID": "3000012", + "Sell": "8", + "Slot": "Legs", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/17/Padded_Boots.png/revision/latest?cb=20190415155059", + "recipes": [ + { + "result": "Ammolite Boots", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Boots", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Padded Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "AmmolitePadded BootsPalladium Scrap", + "result": "1x Ammolite Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ammolite Boots", + "AmmolitePadded BootsPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "37.6%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Shopkeeper Doran" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "1 - 5", + "37.6%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "8.7%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "8.7%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "3.8%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + } + ], + "raw_rows": [ + [ + "Bandit Captain", + "1 - 4", + "8.7%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "8.7%" + ], + [ + "Bandit Defender", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "4%" + ], + [ + "Roland Argenson", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "3.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.9%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "1.9%", + "Harmattan" + ] + ] + } + ], + "description": "Padded Boots is a type of Armor in Outward." + }, + { + "name": "Padded Helm", + "url": "https://outward.fandom.com/wiki/Padded_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "25", + "Cold Weather Def.": "5", + "Damage Resist": "5% 7%", + "Durability": "150", + "Impact Resist": "9%", + "Item Set": "Padded Set", + "Object ID": "3000011", + "Sell": "8", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f9/Padded_Helm.png/revision/latest?cb=20190407194730", + "recipes": [ + { + "result": "Ammolite Helm", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Helm", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Padded Helm" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "AmmolitePadded HelmPalladium Scrap", + "result": "1x Ammolite Helm", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ammolite Helm", + "AmmolitePadded HelmPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "37.6%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Shopkeeper Doran" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "1 - 5", + "37.6%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "3.8%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "2.9%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "2.9%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + } + ], + "raw_rows": [ + [ + "Bandit Defender", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "4%" + ], + [ + "Roland Argenson", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "3.8%" + ], + [ + "Bandit Captain", + "1 - 4", + "2.9%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "2.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.9%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "1.9%", + "Harmattan" + ] + ] + } + ], + "description": "Padded Helm is a type of Armor in Outward." + }, + { + "name": "Padded Set", + "url": "https://outward.fandom.com/wiki/Padded_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "95", + "Cold Weather Def.": "20", + "Damage Resist": "19% 29%", + "Durability": "450", + "Impact Resist": "31%", + "Object ID": "3000010 (Chest)3000012 (Legs)3000011 (Head)", + "Sell": "30", + "Slot": "Set", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c9/Padded_Armor_Set.png/revision/latest/scale-to-width-down/240?cb=20190415205551", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "13%", + "column_5": "10", + "durability": "150", + "name": "Padded Armor", + "resistances": "9% 15%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "9%", + "column_5": "5", + "durability": "150", + "name": "Padded Boots", + "resistances": "5% 7%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "5", + "durability": "150", + "name": "Padded Helm", + "resistances": "5% 7%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Padded Armor", + "9% 15%", + "13%", + "10", + "150", + "8.0", + "Body Armor" + ], + [ + "", + "Padded Boots", + "5% 7%", + "9%", + "5", + "150", + "4.0", + "Boots" + ], + [ + "", + "Padded Helm", + "5% 7%", + "9%", + "5", + "150", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "13%", + "column_5": "10", + "durability": "150", + "name": "Padded Armor", + "resistances": "9% 15%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "9%", + "column_5": "5", + "durability": "150", + "name": "Padded Boots", + "resistances": "5% 7%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "5", + "durability": "150", + "name": "Padded Helm", + "resistances": "5% 7%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Padded Armor", + "9% 15%", + "13%", + "10", + "150", + "8.0", + "Body Armor" + ], + [ + "", + "Padded Boots", + "5% 7%", + "9%", + "5", + "150", + "4.0", + "Boots" + ], + [ + "", + "Padded Helm", + "5% 7%", + "9%", + "5", + "150", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Padded Set is a Set in Outward." + }, + { + "name": "Pain in the Axe", + "url": "https://outward.fandom.com/wiki/Pain_in_the_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Axes", + "Damage": "47", + "Durability": "425", + "Effects": "Pain", + "Impact": "32", + "Object ID": "2010130", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/57/Pain_in_the_Axe.png/revision/latest/scale-to-width-down/83?cb=20190629155145", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Pain in the Axe", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Scourge's Tears", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Pain in the Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "47", + "description": "Two slashing strikes, right to left", + "impact": "32", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.72", + "damage": "61.1", + "description": "Fast, triple-attack strike", + "impact": "41.6", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "61.1", + "description": "Quick double strike", + "impact": "41.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "61.1", + "description": "Wide-sweeping double strike", + "impact": "41.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "47", + "32", + "5.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "61.1", + "41.6", + "6.72", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "61.1", + "41.6", + "6.72", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "61.1", + "41.6", + "6.72", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Elatt's Relic Scourge's Tears Calixa's Relic Vendavel's Hospitality", + "result": "1x Pain in the Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Pain in the Axe", + "Elatt's Relic Scourge's Tears Calixa's Relic Vendavel's Hospitality", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Pain in the Axe is a type of One-Handed Axe weapon in Outward." + }, + { + "name": "Palace Passage Key", + "url": "https://outward.fandom.com/wiki/Palace_Passage_Key", + "categories": [ + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "5600031", + "Sell": "0", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Giant_Iron_Key.png/revision/latest/scale-to-width-down/83?cb=20190412211145", + "description": "Palace Passage Key is an item in Outward." + }, + { + "name": "Pale Beauty Incense", + "url": "https://outward.fandom.com/wiki/Pale_Beauty_Incense", + "categories": [ + "DLC: The Soroboreans", + "Incense", + "Items" + ], + "infobox": { + "Buy": "250", + "Class": "Incense", + "DLC": "The Soroboreans", + "Object ID": "6000210", + "Sell": "75", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bd/Pale_Beauty_Incense.png/revision/latest/scale-to-width-down/83?cb=20200616185545", + "recipes": [ + { + "result": "Pale Beauty Incense", + "result_count": "4x", + "ingredients": [ + "Dreamer's Root", + "Dreamer's Root", + "Elemental Particle – Ether" + ], + "station": "Alchemy Kit", + "source_page": "Pale Beauty Incense" + }, + { + "result": "Sylphina Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Ether", + "Pale Beauty Incense" + ], + "station": "Alchemy Kit", + "source_page": "Pale Beauty Incense" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dreamer's Root Dreamer's Root Elemental Particle – Ether", + "result": "4x Pale Beauty Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Pale Beauty Incense", + "Dreamer's Root Dreamer's Root Elemental Particle – Ether", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – EtherPale Beauty Incense", + "result": "4x Sylphina Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Sylphina Incense", + "Purifying QuartzTourmalineElemental Particle – EtherPale Beauty Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.4%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "24.4%", + "Forgotten Research Laboratory" + ] + ] + }, + { + "title": "Used In Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Changes the color of the lantern to white and effects of Flamethrower to Lightning. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit.", + "enchantment": "Angel Light" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Gain +10 flat Lightning damageWeapon now inflicts Sapped (30% buildup)", + "enchantment": "Twang" + }, + { + "effects": "Gain +5% Cooldown ReductionGain +5 Pouch Bonus", + "enchantment": "Unassuming Ingenuity" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Angel Light", + "Changes the color of the lantern to white and effects of Flamethrower to Lightning. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit." + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Twang", + "Gain +10 flat Lightning damageWeapon now inflicts Sapped (30% buildup)" + ], + [ + "Unassuming Ingenuity", + "Gain +5% Cooldown ReductionGain +5 Pouch Bonus" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Pale Beauty Incense is an Item in Outward." + }, + { + "name": "Pale Light Clothes", + "url": "https://outward.fandom.com/wiki/Pale_Light_Clothes", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "35", + "Damage Resist": "2%", + "Durability": "150", + "Hot Weather Def.": "15", + "Impact Resist": "3%", + "Item Set": "Light Clothes Set", + "Object ID": "3000172", + "Sell": "10", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a7/Dancer_Clothes.png/revision/latest?cb=20190415111846", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Pale Light Clothes" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Pale Light Clothes" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Pale Light Clothes" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Pale Light Clothes" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Pale Light Clothes" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Pale Light Clothes" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Pale Light Clothes" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Pale Light Clothes" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Pale Light Clothes" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "12.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "12.5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "12.5%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "12.5%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "12.5%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "12.5%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "12.5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "12.5%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "12.5%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "12.5%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "12.5%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "12.5%", + "Forgotten Research Laboratory" + ] + ] + } + ], + "description": "Pale Light Clothes is a type of Armor in Outward." + }, + { + "name": "Pale Worker's Hood", + "url": "https://outward.fandom.com/wiki/Pale_Worker%27s_Hood", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "6", + "Cold Weather Def.": "3", + "Damage Resist": "1%", + "Durability": "90", + "Hot Weather Def.": "1", + "Impact Resist": "1%", + "Item Set": "Worker Set", + "Object ID": "3000087", + "Sell": "2", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/99/Pale_Worker%27s_Hood.png/revision/latest?cb=20190407194744", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Pale Worker's Hood" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Pale Worker's Hood" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Pale Worker's Hood" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5% Cooldown ReductionGain +5 Pouch Bonus", + "enchantment": "Unassuming Ingenuity" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unassuming Ingenuity", + "Gain +5% Cooldown ReductionGain +5 Pouch Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + } + ], + "raw_rows": [ + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "2.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "2.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "3%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "3%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "3%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "3%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "3%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "2.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "2.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "2.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Pale Worker's Hood is a type of Armor in Outward." + }, + { + "name": "Palladium Armor", + "url": "https://outward.fandom.com/wiki/Palladium_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "700", + "Damage Resist": "26% 30%", + "Durability": "490", + "Hot Weather Def.": "-10", + "Impact Resist": "20%", + "Item Set": "Palladium Set", + "Made By": "Vyzyrinthrix (Monsoon)", + "Materials": "5x Palladium Scrap 500", + "Movement Speed": "-4%", + "Object ID": "3100060", + "Protection": "3", + "Sell": "233", + "Slot": "Chest", + "Stamina Cost": "4%", + "Weight": "22.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/ca/Palladium_Armor.png/revision/latest?cb=20190415123427", + "recipes": [ + { + "result": "Palladium Armor", + "result_count": "1x", + "ingredients": [ + "500 silver", + "5x Palladium Scrap" + ], + "station": "Vyzyrinthrix the Blacksmith", + "source_page": "Palladium Armor" + }, + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Palladium Armor" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "500 silver5x Palladium Scrap", + "result": "1x Palladium Armor", + "station": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Palladium Armor", + "500 silver5x Palladium Scrap", + "Vyzyrinthrix the Blacksmith" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Palladium Armor is a type of Armor in Outward." + }, + { + "name": "Palladium Arrow", + "url": "https://outward.fandom.com/wiki/Palladium_Arrow", + "categories": [ + "DLC: The Three Brothers", + "Arrow", + "Ammunition", + "Items" + ], + "infobox": { + "Buy": "5", + "Class": "Arrow", + "DLC": "The Three Brothers", + "Effects": "+10 Lightning damageInflicts Doomed", + "Object ID": "5200005", + "Sell": "2", + "Type": "Ammunition", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/12/Palladium_Arrow.png/revision/latest/scale-to-width-down/83?cb=20201220075216", + "effects": [ + "+10 Lightning damage", + "Inflicts Doomed (60% buildup)" + ], + "effect_links": [ + "/wiki/Doomed", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Palladium Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Palladium Scrap" + ], + "station": "Alchemy Kit", + "source_page": "Palladium Arrow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Arrowhead Kit Wood Palladium Scrap", + "result": "5x Palladium Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "5x Palladium Arrow", + "Arrowhead Kit Wood Palladium Scrap", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "15 - 30", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "15", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "15 - 30", + "100%", + "New Sirocco" + ], + [ + "Vyzyrinthrix the Blacksmith", + "15", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "15", + "source": "Thunderbolt Golem" + } + ], + "raw_rows": [ + [ + "Thunderbolt Golem", + "15", + "100%" + ] + ] + } + ], + "description": "Palladium Arrow is an Item in Outward." + }, + { + "name": "Palladium Axe", + "url": "https://outward.fandom.com/wiki/Palladium_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Axes", + "Damage": "24.75 8.25", + "Durability": "475", + "Impact": "24", + "Item Set": "Palladium Set", + "Object ID": "2010110", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6f/Palladium_Axe.png/revision/latest?cb=20190412201128", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Palladium Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "24.75 8.25", + "description": "Two slashing strikes, right to left", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.24", + "damage": "32.18 10.73", + "description": "Fast, triple-attack strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "32.18 10.73", + "description": "Quick double strike", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "32.18 10.73", + "description": "Wide-sweeping double strike", + "impact": "31.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24.75 8.25", + "24", + "5.2", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "32.18 10.73", + "31.2", + "6.24", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "32.18 10.73", + "31.2", + "6.24", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.18 10.73", + "31.2", + "6.24", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Castigation" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Humiliation" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Castigation", + "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Humiliation", + "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "10%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "10%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Palladium Axe is a type of One-Handed Axe in Outward." + }, + { + "name": "Palladium Boots", + "url": "https://outward.fandom.com/wiki/Palladium_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "350", + "Damage Resist": "18% 15%", + "Durability": "490", + "Impact Resist": "12%", + "Item Set": "Palladium Set", + "Made By": "Vyzyrinthrix", + "Materials": "2 x Palladium Scrap250 silver", + "Movement Speed": "-3%", + "Object ID": "3100062", + "Protection": "2", + "Sell": "116", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/41/Palladium_Boots.png/revision/latest?cb=20190415155254", + "recipes": [ + { + "result": "Palladium Boots", + "result_count": "1x", + "ingredients": [ + "250 silver", + "2x Palladium Scrap" + ], + "station": "Vyzyrinthrix the Blacksmith", + "source_page": "Palladium Boots" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Palladium Boots" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "250 silver2x Palladium Scrap", + "result": "1x Palladium Boots", + "station": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Palladium Boots", + "250 silver2x Palladium Scrap", + "Vyzyrinthrix the Blacksmith" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Palladium Boots is a type of Armor in Outward." + }, + { + "name": "Palladium Claymore", + "url": "https://outward.fandom.com/wiki/Palladium_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Swords", + "Damage": "29.25 9.75", + "Durability": "500", + "Impact": "39", + "Item Set": "Palladium Set", + "Object ID": "2100120", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9c/Palladium_Claymore.png/revision/latest?cb=20190413074336", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Palladium Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "29.25 9.75", + "description": "Two slashing strikes, left to right", + "impact": "39", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.36", + "damage": "43.88 14.63", + "description": "Overhead downward-thrusting strike", + "impact": "58.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "37 12.33", + "description": "Spinning strike from the right", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "37 12.33", + "description": "Spinning strike from the left", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29.25 9.75", + "39", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "43.88 14.63", + "58.5", + "9.36", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "37 12.33", + "42.9", + "7.92", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "37 12.33", + "42.9", + "7.92", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Castigation" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Humiliation" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Castigation", + "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Humiliation", + "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "10%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "10%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Palladium Claymore is a type of Two-Handed Sword in Outward." + }, + { + "name": "Palladium Greataxe", + "url": "https://outward.fandom.com/wiki/Palladium_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Axes", + "Damage": "30 10", + "Durability": "525", + "Impact": "36", + "Item Set": "Palladium Set", + "Object ID": "2110080", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/29/Palladium_Greataxe.png/revision/latest?cb=20190412202717", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Palladium Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "30 10", + "description": "Two slashing strikes, left to right", + "impact": "36", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.9", + "damage": "39 13", + "description": "Uppercut strike into right sweep strike", + "impact": "46.8", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.9", + "damage": "39 13", + "description": "Left-spinning double strike", + "impact": "46.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.72", + "damage": "39 13", + "description": "Right-spinning double strike", + "impact": "46.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30 10", + "36", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "39 13", + "46.8", + "9.9", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "39 13", + "46.8", + "9.9", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "39 13", + "46.8", + "9.72", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Castigation" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Humiliation" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Castigation", + "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Humiliation", + "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "10%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "10%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Palladium Greataxe is a type of Two-Handed Axe in Outward." + }, + { + "name": "Palladium Greathammer", + "url": "https://outward.fandom.com/wiki/Palladium_Greathammer", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Maces", + "Damage": "27.75 9.25", + "Durability": "575", + "Impact": "47", + "Item Set": "Palladium Set", + "Object ID": "2120110", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Palladium_Greathammer.png/revision/latest?cb=20190408070431", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Palladium Greathammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "27.75 9.25", + "description": "Two slashing strikes, left to right", + "impact": "47", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.64", + "damage": "20.81 6.94", + "description": "Blunt strike with high impact", + "impact": "94", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.64", + "damage": "38.85 12.95", + "description": "Powerful overhead strike", + "impact": "65.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.64", + "damage": "38.85 12.95", + "description": "Forward-running uppercut strike", + "impact": "65.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "27.75 9.25", + "47", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "20.81 6.94", + "94", + "8.64", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "38.85 12.95", + "65.8", + "8.64", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "38.85 12.95", + "65.8", + "8.64", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Castigation" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Humiliation" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Castigation", + "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Humiliation", + "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "10%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "10%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Palladium Greathammer is a type of Two-Handed Mace in Outward." + }, + { + "name": "Palladium Halberd", + "url": "https://outward.fandom.com/wiki/Palladium_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "Damage": "25.5 8.5", + "Durability": "525", + "Impact": "41", + "Item Set": "Palladium Set", + "Object ID": "2140100", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Halberd", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/57/Palladium_Halberd.png/revision/latest?cb=20190412213652", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Palladium Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "25.5 8.5", + "description": "Two wide-sweeping strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "33.15 11.05", + "description": "Forward-thrusting strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "33.15 11.05", + "description": "Wide-sweeping strike from left", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "43.35 14.45", + "description": "Slow but powerful sweeping strike", + "impact": "69.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25.5 8.5", + "41", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "33.15 11.05", + "53.3", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "33.15 11.05", + "53.3", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "43.35 14.45", + "69.7", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Castigation" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Humiliation" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Castigation", + "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Humiliation", + "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "10%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "10%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Palladium Halberd is a type of Polearm in Outward." + }, + { + "name": "Palladium Helm", + "url": "https://outward.fandom.com/wiki/Palladium_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "350", + "Damage Resist": "18% 15%", + "Durability": "490", + "Impact Resist": "12%", + "Item Set": "Palladium Set", + "Made By": "Vyzyrinthrix", + "Mana Cost": "30%", + "Materials": "2 x Palladium Scrap300 silver", + "Movement Speed": "-3%", + "Object ID": "3100061", + "Protection": "2", + "Sell": "105", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "11.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f7/Palladium_Helm.png/revision/latest?cb=20190407194801", + "recipes": [ + { + "result": "Palladium Helm", + "result_count": "1x", + "ingredients": [ + "300 silver", + "2x Palladium Scrap" + ], + "station": "Vyzyrinthrix the Blacksmith", + "source_page": "Palladium Helm" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Palladium Helm" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver2x Palladium Scrap", + "result": "1x Palladium Helm", + "station": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Palladium Helm", + "300 silver2x Palladium Scrap", + "Vyzyrinthrix the Blacksmith" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Palladium Helm is a type of Armor in Outward." + }, + { + "name": "Palladium Knuckles", + "url": "https://outward.fandom.com/wiki/Palladium_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "21 7", + "Durability": "450", + "Effects": "Elemental Vulnerability", + "Impact": "17", + "Item Set": "Palladium Set", + "Object ID": "2160080", + "Sell": "240", + "Stamina Cost": "2.6", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/03/Palladium_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20200616185546", + "effects": [ + "Inflicts Elemental Vulnerability (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.6", + "damage": "21 7", + "description": "Four fast punches, right to left", + "impact": "17", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.38", + "damage": "27.3 9.1", + "description": "Forward-lunging left hook", + "impact": "22.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "27.3 9.1", + "description": "Left dodging, left uppercut", + "impact": "22.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "27.3 9.1", + "description": "Right dodging, right spinning hammer strike", + "impact": "22.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "21 7", + "17", + "2.6", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "27.3 9.1", + "22.1", + "3.38", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "27.3 9.1", + "22.1", + "3.12", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.3 9.1", + "22.1", + "3.12", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Castigation" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Humiliation" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Castigation", + "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Humiliation", + "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "20%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "10%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "20%", + "Harmattan" + ], + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "10%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "3.2%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Ornate Chest", + "1", + "3.2%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Palladium Knuckles is a type of Weapon in Outward." + }, + { + "name": "Palladium Mace", + "url": "https://outward.fandom.com/wiki/Palladium_Mace", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Maces", + "Damage": "27 9", + "Durability": "550", + "Impact": "38", + "Item Set": "Palladium Set", + "Object ID": "2020100", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e4/Palladium_Mace.png/revision/latest?cb=20190412211554", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Palladium Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "27 9", + "description": "Two wide-sweeping strikes, right to left", + "impact": "38", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "35.1 11.7", + "description": "Slow, overhead strike with high impact", + "impact": "95", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "35.1 11.7", + "description": "Fast, forward-thrusting strike", + "impact": "49.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "35.1 11.7", + "description": "Fast, forward-thrusting strike", + "impact": "49.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "27 9", + "38", + "5.2", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "35.1 11.7", + "95", + "6.76", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "35.1 11.7", + "49.4", + "6.76", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "35.1 11.7", + "49.4", + "6.76", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Castigation" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Humiliation" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Castigation", + "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Humiliation", + "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "10%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "10%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Palladium Mace is a type of One-Handed Mace in Outward." + }, + { + "name": "Palladium Scrap", + "url": "https://outward.fandom.com/wiki/Palladium_Scrap", + "categories": [ + "Ingredient", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "50", + "Object ID": "6400070", + "Sell": "15", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f1/Palladium_Scrap.png/revision/latest?cb=20190424200908", + "recipes": [ + { + "result": "Palladium Armor", + "result_count": "1x", + "ingredients": [ + "500 silver", + "5x Palladium Scrap" + ], + "station": "Vyzyrinthrix the Blacksmith", + "source_page": "Palladium Scrap" + }, + { + "result": "Palladium Boots", + "result_count": "1x", + "ingredients": [ + "250 silver", + "2x Palladium Scrap" + ], + "station": "Vyzyrinthrix the Blacksmith", + "source_page": "Palladium Scrap" + }, + { + "result": "Palladium Helm", + "result_count": "1x", + "ingredients": [ + "300 silver", + "2x Palladium Scrap" + ], + "station": "Vyzyrinthrix the Blacksmith", + "source_page": "Palladium Scrap" + }, + { + "result": "Tsar Axe", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Palladium Scrap" + }, + { + "result": "Tsar Claymore", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Palladium Scrap" + }, + { + "result": "Tsar Greataxe", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Palladium Scrap" + }, + { + "result": "Tsar Greathammer", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Palladium Scrap" + }, + { + "result": "Tsar Halberd", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Palladium Scrap" + }, + { + "result": "Tsar Mace", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Palladium Scrap" + }, + { + "result": "Tsar Shield", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "2x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Palladium Scrap" + }, + { + "result": "Tsar Spear", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Palladium Scrap" + }, + { + "result": "Tsar Sword", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Palladium Scrap" + }, + { + "result": "Ammolite Armor", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Armor", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Ammolite Boots", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Boots", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Ammolite Helm", + "result_count": "1x", + "ingredients": [ + "Ammolite", + "Padded Helm", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Assassin Claymore", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Assassin Tongue", + "Fang Greatsword", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Assassin Sword", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Steel Sabre", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Chalcedony Pistol", + "result_count": "1x", + "ingredients": [ + "Chalcedony", + "Palladium Scrap", + "Flintlock Pistol" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Crescent Greataxe", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Shark Cartilage", + "Palladium Scrap", + "Felling Greataxe" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Crescent Scythe", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Shark Cartilage", + "Palladium Scrap", + "Pitchfork" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Galvanic Axe", + "result_count": "1x", + "ingredients": [ + "Iron Axe", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Galvanic Bow", + "result_count": "1x", + "ingredients": [ + "Simple Bow", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Galvanic Dagger", + "result_count": "1x", + "ingredients": [ + "Shiv Dagger", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Galvanic Greataxe", + "result_count": "1x", + "ingredients": [ + "Iron Greataxe", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Galvanic Greatmace", + "result_count": "1x", + "ingredients": [ + "Iron Greathammer", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Galvanic Halberd", + "result_count": "1x", + "ingredients": [ + "Iron Halberd", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Galvanic Mace", + "result_count": "1x", + "ingredients": [ + "Iron Mace", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Galvanic Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Galvanic Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Galvanic Spear", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Golem Rapier", + "result_count": "1x", + "ingredients": [ + "Broken Golem Rapier", + "Broken Golem Rapier", + "Palladium Scrap", + "Crystal Powder" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Armor", + "result_count": "1x", + "ingredients": [ + "Halfplate Armor", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Axe", + "result_count": "1x", + "ingredients": [ + "Fang Axe", + "Horror Chitin", + "Palladium Scrap", + "Occult Remains" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Chakram", + "result_count": "1x", + "ingredients": [ + "Thorn Chakram", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Greataxe", + "result_count": "1x", + "ingredients": [ + "Fang Greataxe", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Greatmace", + "result_count": "1x", + "ingredients": [ + "Fang Greatclub", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Greatsword", + "result_count": "1x", + "ingredients": [ + "Fang Greatsword", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Greaves", + "result_count": "1x", + "ingredients": [ + "Halfplate Boots", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Halberd", + "result_count": "1x", + "ingredients": [ + "Fang Halberd", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Helm", + "result_count": "1x", + "ingredients": [ + "Halfplate Helm", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Mace", + "result_count": "1x", + "ingredients": [ + "Fang Club", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Pistol", + "result_count": "1x", + "ingredients": [ + "Cannon Pistol", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Shield", + "result_count": "1x", + "ingredients": [ + "Fang Shield", + "Horror Chitin", + "Palladium Scrap", + "Occult Remains" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Spear", + "result_count": "1x", + "ingredients": [ + "Fang Trident", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Horror Sword", + "result_count": "1x", + "ingredients": [ + "Fang Sword", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Manticore Dagger", + "result_count": "1x", + "ingredients": [ + "Manticore Tail", + "Palladium Scrap", + "Ammolite" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Manticore Greatmace", + "result_count": "1x", + "ingredients": [ + "Mantis Greatpick", + "Manticore Tail", + "Manticore Tail", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Mantis Greatpick", + "result_count": "1x", + "ingredients": [ + "Mantis Granite", + "Mantis Granite", + "Palladium Scrap", + "Mining Pick" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Axe", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Iron Axe" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Bow", + "result_count": "1x", + "ingredients": [ + "Simple Bow", + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Chakram", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Chakram" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Claymore", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Claymore" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Greataxe", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Greataxe" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Greatmace", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Halberd", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Halberd" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Knuckles", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Knuckles" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Mace", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Obsidian Shard", + "Palladium Scrap", + "Crystal Powder" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Spear", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap", + "Iron Spear" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Obsidian Sword", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Palladium Scrap", + "Iron Sword" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Palladium Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Palladium Scrap" + ], + "station": "Alchemy Kit", + "source_page": "Palladium Scrap" + }, + { + "result": "Slayer's Armor", + "result_count": "1x", + "ingredients": [ + "Myrm Tongue", + "Gargoyle Urn Shard", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Slayer's Boots", + "result_count": "1x", + "ingredients": [ + "Gargoyle Urn Shard", + "Calygrey Hairs", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Slayer's Helmet", + "result_count": "1x", + "ingredients": [ + "Dweller's Brain", + "Myrm Tongue", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Spikes – Palladium", + "result_count": "3x", + "ingredients": [ + "Palladium Scrap", + "Palladium Scrap", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Thorny Claymore", + "result_count": "1x", + "ingredients": [ + "Thorny Cartilage", + "Thorny Cartilage", + "Iron Claymore", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Thorny Spear", + "result_count": "1x", + "ingredients": [ + "Thorny Cartilage", + "Thorny Cartilage", + "Iron Spear", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Tuanosaur Axe", + "result_count": "1x", + "ingredients": [ + "Palladium Scrap", + "Brutal Axe", + "Alpha Tuanosaur Tail" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Tuanosaur Greataxe", + "result_count": "1x", + "ingredients": [ + "Brutal Greataxe", + "Alpha Tuanosaur Tail", + "Alpha Tuanosaur Tail", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Virgin Axe", + "result_count": "1x", + "ingredients": [ + "Gold Hatchet", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Virgin Greataxe", + "result_count": "1x", + "ingredients": [ + "Gold Greataxe", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Virgin Greatmace", + "result_count": "1x", + "ingredients": [ + "Brutal Greatmace", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Virgin Greatsword", + "result_count": "1x", + "ingredients": [ + "Prayer Claymore", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Virgin Halberd", + "result_count": "1x", + "ingredients": [ + "Gold Guisarme", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Virgin Mace", + "result_count": "1x", + "ingredients": [ + "Gold Club", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Virgin Spear", + "result_count": "1x", + "ingredients": [ + "Gold Harpoon", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Virgin Sword", + "result_count": "1x", + "ingredients": [ + "Gold Machete", + "Pure Chitin", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Palladium Scrap" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Palladium Scrap" + }, + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Palladium Scrap" + }, + { + "result": "Palladium Scrap", + "result_count": "5x", + "ingredients": [ + "Beast Golem Scraps", + "Beast Golem Scraps", + "Beast Golem Scraps", + "Beast Golem Scraps" + ], + "station": "None", + "source_page": "Palladium Scrap" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "500 silver5x Palladium Scrap", + "result": "1x Palladium Armor", + "station": "Vyzyrinthrix the Blacksmith" + }, + { + "ingredients": "250 silver2x Palladium Scrap", + "result": "1x Palladium Boots", + "station": "Vyzyrinthrix the Blacksmith" + }, + { + "ingredients": "300 silver2x Palladium Scrap", + "result": "1x Palladium Helm", + "station": "Vyzyrinthrix the Blacksmith" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Axe", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Claymore", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Greataxe", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Greathammer", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Halberd", + "station": "Plague Doctor" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Mace", + "station": "Plague Doctor" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite2x Palladium Scrap", + "result": "1x Tsar Shield", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Spear", + "station": "Plague Doctor" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Sword", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Palladium Armor", + "500 silver5x Palladium Scrap", + "Vyzyrinthrix the Blacksmith" + ], + [ + "1x Palladium Boots", + "250 silver2x Palladium Scrap", + "Vyzyrinthrix the Blacksmith" + ], + [ + "1x Palladium Helm", + "300 silver2x Palladium Scrap", + "Vyzyrinthrix the Blacksmith" + ], + [ + "1x Tsar Axe", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Claymore", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Greataxe", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Greathammer", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Halberd", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Mace", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Shield", + "1x Tsar Stone1x Hackmanite2x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Spear", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Sword", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "AmmolitePadded ArmorPalladium Scrap", + "result": "1x Ammolite Armor", + "station": "None" + }, + { + "ingredients": "AmmolitePadded BootsPalladium Scrap", + "result": "1x Ammolite Boots", + "station": "None" + }, + { + "ingredients": "AmmolitePadded HelmPalladium Scrap", + "result": "1x Ammolite Helm", + "station": "None" + }, + { + "ingredients": "Assassin TongueAssassin TongueFang GreatswordPalladium Scrap", + "result": "1x Assassin Claymore", + "station": "None" + }, + { + "ingredients": "Assassin TongueSteel SabrePalladium Scrap", + "result": "1x Assassin Sword", + "station": "None" + }, + { + "ingredients": "ChalcedonyPalladium ScrapFlintlock Pistol", + "result": "1x Chalcedony Pistol", + "station": "None" + }, + { + "ingredients": "Shark CartilageShark CartilagePalladium ScrapFelling Greataxe", + "result": "1x Crescent Greataxe", + "station": "None" + }, + { + "ingredients": "Shark CartilageShark CartilagePalladium ScrapPitchfork", + "result": "1x Crescent Scythe", + "station": "None" + }, + { + "ingredients": "Iron AxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Axe", + "station": "None" + }, + { + "ingredients": "Simple BowShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Bow", + "station": "None" + }, + { + "ingredients": "Shiv DaggerShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Dagger", + "station": "None" + }, + { + "ingredients": "Iron GreataxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Greataxe", + "station": "None" + }, + { + "ingredients": "Iron GreathammerShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Greatmace", + "station": "None" + }, + { + "ingredients": "Iron HalberdShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Halberd", + "station": "None" + }, + { + "ingredients": "Iron MaceShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Mace", + "station": "None" + }, + { + "ingredients": "Flintlock PistolShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Pistol", + "station": "None" + }, + { + "ingredients": "Round ShieldShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Shield", + "station": "None" + }, + { + "ingredients": "Iron SpearShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Spear", + "station": "None" + }, + { + "ingredients": "Broken Golem RapierBroken Golem RapierPalladium ScrapCrystal Powder", + "result": "1x Golem Rapier", + "station": "None" + }, + { + "ingredients": "Halfplate ArmorPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Armor", + "station": "None" + }, + { + "ingredients": "Fang AxeHorror ChitinPalladium ScrapOccult Remains", + "result": "1x Horror Axe", + "station": "None" + }, + { + "ingredients": "Thorn ChakramHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Chakram", + "station": "None" + }, + { + "ingredients": "Fang GreataxeHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greataxe", + "station": "None" + }, + { + "ingredients": "Fang GreatclubHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greatmace", + "station": "None" + }, + { + "ingredients": "Fang GreatswordHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Greatsword", + "station": "None" + }, + { + "ingredients": "Halfplate BootsPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Greaves", + "station": "None" + }, + { + "ingredients": "Fang HalberdHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Halberd", + "station": "None" + }, + { + "ingredients": "Halfplate HelmPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Helm", + "station": "None" + }, + { + "ingredients": "Fang ClubHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Mace", + "station": "None" + }, + { + "ingredients": "Cannon PistolHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Pistol", + "station": "None" + }, + { + "ingredients": "Fang ShieldHorror ChitinPalladium ScrapOccult Remains", + "result": "1x Horror Shield", + "station": "None" + }, + { + "ingredients": "Fang TridentHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Spear", + "station": "None" + }, + { + "ingredients": "Fang SwordHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Sword", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Manticore TailPalladium ScrapAmmolite", + "result": "1x Manticore Dagger", + "station": "None" + }, + { + "ingredients": "Mantis GreatpickManticore TailManticore TailPalladium Scrap", + "result": "1x Manticore Greatmace", + "station": "None" + }, + { + "ingredients": "Mantis GraniteMantis GranitePalladium ScrapMining Pick", + "result": "1x Mantis Greatpick", + "station": "None" + }, + { + "ingredients": "Obsidian ShardPalladium ScrapIron Axe", + "result": "1x Obsidian Axe", + "station": "None" + }, + { + "ingredients": "Simple BowObsidian ShardObsidian ShardPalladium Scrap", + "result": "1x Obsidian Bow", + "station": "None" + }, + { + "ingredients": "Obsidian ShardPalladium ScrapChakram", + "result": "1x Obsidian Chakram", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Claymore", + "result": "1x Obsidian Claymore", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Greataxe", + "result": "1x Obsidian Greataxe", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapPalladium Scrap", + "result": "1x Obsidian Greatmace", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Halberd", + "result": "1x Obsidian Halberd", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Knuckles", + "result": "1x Obsidian Knuckles", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium Scrap", + "result": "1x Obsidian Mace", + "station": "None" + }, + { + "ingredients": "Flintlock PistolObsidian ShardPalladium ScrapCrystal Powder", + "result": "1x Obsidian Pistol", + "station": "None" + }, + { + "ingredients": "Obsidian ShardObsidian ShardPalladium ScrapIron Spear", + "result": "1x Obsidian Spear", + "station": "None" + }, + { + "ingredients": "Obsidian ShardPalladium ScrapIron Sword", + "result": "1x Obsidian Sword", + "station": "None" + }, + { + "ingredients": "Arrowhead KitWoodPalladium Scrap", + "result": "5x Palladium Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Myrm TongueGargoyle Urn ShardPalladium ScrapPalladium Scrap", + "result": "1x Slayer's Armor", + "station": "None" + }, + { + "ingredients": "Gargoyle Urn ShardCalygrey HairsPalladium Scrap", + "result": "1x Slayer's Boots", + "station": "None" + }, + { + "ingredients": "Dweller's BrainMyrm TonguePalladium Scrap", + "result": "1x Slayer's Helmet", + "station": "None" + }, + { + "ingredients": "Palladium ScrapPalladium ScrapPalladium ScrapPalladium Scrap", + "result": "3x Spikes – Palladium", + "station": "None" + }, + { + "ingredients": "Thorny CartilageThorny CartilageIron ClaymorePalladium Scrap", + "result": "1x Thorny Claymore", + "station": "None" + }, + { + "ingredients": "Thorny CartilageThorny CartilageIron SpearPalladium Scrap", + "result": "1x Thorny Spear", + "station": "None" + }, + { + "ingredients": "Palladium ScrapBrutal AxeAlpha Tuanosaur Tail", + "result": "1x Tuanosaur Axe", + "station": "None" + }, + { + "ingredients": "Brutal GreataxeAlpha Tuanosaur TailAlpha Tuanosaur TailPalladium Scrap", + "result": "1x Tuanosaur Greataxe", + "station": "None" + }, + { + "ingredients": "Gold HatchetPalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Axe", + "station": "None" + }, + { + "ingredients": "Gold GreataxePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Greataxe", + "station": "None" + }, + { + "ingredients": "Brutal GreatmacePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Greatmace", + "station": "None" + }, + { + "ingredients": "Prayer ClaymorePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Greatsword", + "station": "None" + }, + { + "ingredients": "Gold GuisarmePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Halberd", + "station": "None" + }, + { + "ingredients": "Gold ClubPalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Mace", + "station": "None" + }, + { + "ingredients": "Gold HarpoonPalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Spear", + "station": "None" + }, + { + "ingredients": "Gold MachetePure ChitinPalladium ScrapPalladium Scrap", + "result": "1x Virgin Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ammolite Armor", + "AmmolitePadded ArmorPalladium Scrap", + "None" + ], + [ + "1x Ammolite Boots", + "AmmolitePadded BootsPalladium Scrap", + "None" + ], + [ + "1x Ammolite Helm", + "AmmolitePadded HelmPalladium Scrap", + "None" + ], + [ + "1x Assassin Claymore", + "Assassin TongueAssassin TongueFang GreatswordPalladium Scrap", + "None" + ], + [ + "1x Assassin Sword", + "Assassin TongueSteel SabrePalladium Scrap", + "None" + ], + [ + "1x Chalcedony Pistol", + "ChalcedonyPalladium ScrapFlintlock Pistol", + "None" + ], + [ + "1x Crescent Greataxe", + "Shark CartilageShark CartilagePalladium ScrapFelling Greataxe", + "None" + ], + [ + "1x Crescent Scythe", + "Shark CartilageShark CartilagePalladium ScrapPitchfork", + "None" + ], + [ + "1x Galvanic Axe", + "Iron AxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Bow", + "Simple BowShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Dagger", + "Shiv DaggerShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Greataxe", + "Iron GreataxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Greatmace", + "Iron GreathammerShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Halberd", + "Iron HalberdShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Mace", + "Iron MaceShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Pistol", + "Flintlock PistolShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Shield", + "Round ShieldShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Spear", + "Iron SpearShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Golem Rapier", + "Broken Golem RapierBroken Golem RapierPalladium ScrapCrystal Powder", + "None" + ], + [ + "1x Horror Armor", + "Halfplate ArmorPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Horror Axe", + "Fang AxeHorror ChitinPalladium ScrapOccult Remains", + "None" + ], + [ + "1x Horror Chakram", + "Thorn ChakramHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Greataxe", + "Fang GreataxeHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Greatmace", + "Fang GreatclubHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Greatsword", + "Fang GreatswordHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Greaves", + "Halfplate BootsPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Horror Halberd", + "Fang HalberdHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Helm", + "Halfplate HelmPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Horror Mace", + "Fang ClubHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Pistol", + "Cannon PistolHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Shield", + "Fang ShieldHorror ChitinPalladium ScrapOccult Remains", + "None" + ], + [ + "1x Horror Spear", + "Fang TridentHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Horror Sword", + "Fang SwordHorror ChitinOccult RemainsPalladium Scrap", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ], + [ + "1x Manticore Dagger", + "Manticore TailPalladium ScrapAmmolite", + "None" + ], + [ + "1x Manticore Greatmace", + "Mantis GreatpickManticore TailManticore TailPalladium Scrap", + "None" + ], + [ + "1x Mantis Greatpick", + "Mantis GraniteMantis GranitePalladium ScrapMining Pick", + "None" + ], + [ + "1x Obsidian Axe", + "Obsidian ShardPalladium ScrapIron Axe", + "None" + ], + [ + "1x Obsidian Bow", + "Simple BowObsidian ShardObsidian ShardPalladium Scrap", + "None" + ], + [ + "1x Obsidian Chakram", + "Obsidian ShardPalladium ScrapChakram", + "None" + ], + [ + "1x Obsidian Claymore", + "Obsidian ShardObsidian ShardPalladium ScrapIron Claymore", + "None" + ], + [ + "1x Obsidian Greataxe", + "Obsidian ShardObsidian ShardPalladium ScrapIron Greataxe", + "None" + ], + [ + "1x Obsidian Greatmace", + "Obsidian ShardObsidian ShardPalladium ScrapPalladium Scrap", + "None" + ], + [ + "1x Obsidian Halberd", + "Obsidian ShardObsidian ShardPalladium ScrapIron Halberd", + "None" + ], + [ + "1x Obsidian Knuckles", + "Obsidian ShardObsidian ShardPalladium ScrapIron Knuckles", + "None" + ], + [ + "1x Obsidian Mace", + "Obsidian ShardObsidian ShardPalladium Scrap", + "None" + ], + [ + "1x Obsidian Pistol", + "Flintlock PistolObsidian ShardPalladium ScrapCrystal Powder", + "None" + ], + [ + "1x Obsidian Spear", + "Obsidian ShardObsidian ShardPalladium ScrapIron Spear", + "None" + ], + [ + "1x Obsidian Sword", + "Obsidian ShardPalladium ScrapIron Sword", + "None" + ], + [ + "5x Palladium Arrow", + "Arrowhead KitWoodPalladium Scrap", + "Alchemy Kit" + ], + [ + "1x Slayer's Armor", + "Myrm TongueGargoyle Urn ShardPalladium ScrapPalladium Scrap", + "None" + ], + [ + "1x Slayer's Boots", + "Gargoyle Urn ShardCalygrey HairsPalladium Scrap", + "None" + ], + [ + "1x Slayer's Helmet", + "Dweller's BrainMyrm TonguePalladium Scrap", + "None" + ], + [ + "3x Spikes – Palladium", + "Palladium ScrapPalladium ScrapPalladium ScrapPalladium Scrap", + "None" + ], + [ + "1x Thorny Claymore", + "Thorny CartilageThorny CartilageIron ClaymorePalladium Scrap", + "None" + ], + [ + "1x Thorny Spear", + "Thorny CartilageThorny CartilageIron SpearPalladium Scrap", + "None" + ], + [ + "1x Tuanosaur Axe", + "Palladium ScrapBrutal AxeAlpha Tuanosaur Tail", + "None" + ], + [ + "1x Tuanosaur Greataxe", + "Brutal GreataxeAlpha Tuanosaur TailAlpha Tuanosaur TailPalladium Scrap", + "None" + ], + [ + "1x Virgin Axe", + "Gold HatchetPalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Greataxe", + "Gold GreataxePalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Greatmace", + "Brutal GreatmacePalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Greatsword", + "Prayer ClaymorePalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Halberd", + "Gold GuisarmePalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Mace", + "Gold ClubPalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Spear", + "Gold HarpoonPalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Sword", + "Gold MachetePure ChitinPalladium ScrapPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Used In / Decrafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Beast Golem Scraps Beast Golem Scraps Beast Golem Scraps Beast Golem Scraps", + "result": "5x Palladium Scrap", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ], + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ], + [ + "5x Palladium Scrap", + "Beast Golem Scraps Beast Golem Scraps Beast Golem Scraps Beast Golem Scraps", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Palladium Vein" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Palladium Vein (Tourmaline)" + } + ], + "raw_rows": [ + [ + "Palladium Vein", + "1", + "100%" + ], + [ + "Palladium Vein (Tourmaline)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1 - 2", + "source": "Iron Sides" + } + ], + "raw_rows": [ + [ + "Iron Sides", + "1 - 2", + "100%", + "Giants' Village" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "66.7%", + "quantity": "1", + "source": "Ash Giant" + }, + { + "chance": "66.7%", + "quantity": "1", + "source": "Ash Giant Priest" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Arcane Elemental (Lightning)" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Chromatic Arcane Elemental" + }, + { + "chance": "44.5%", + "quantity": "4", + "source": "Concealed Knight: ???" + }, + { + "chance": "32%", + "quantity": "1 - 3", + "source": "Wolfgang Veteran" + }, + { + "chance": "25%", + "quantity": "1 - 2", + "source": "Galvanic Golem" + }, + { + "chance": "25%", + "quantity": "1 - 2", + "source": "Liquid-Cooled Golem" + } + ], + "raw_rows": [ + [ + "Ash Giant", + "1", + "66.7%" + ], + [ + "Ash Giant Priest", + "1", + "66.7%" + ], + [ + "Arcane Elemental (Lightning)", + "1", + "50%" + ], + [ + "Chromatic Arcane Elemental", + "1", + "50%" + ], + [ + "Concealed Knight: ???", + "4", + "44.5%" + ], + [ + "Wolfgang Veteran", + "1 - 3", + "32%" + ], + [ + "Galvanic Golem", + "1 - 2", + "25%" + ], + [ + "Liquid-Cooled Golem", + "1 - 2", + "25%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Hive Prison, Scarlet Sanctuary", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Enmerkar Forest", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Knight's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1 - 2", + "10%", + "Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "10%", + "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress" + ], + [ + "Corpse", + "1 - 2", + "10%", + "Hive Prison, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1 - 2", + "10%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1 - 2", + "10%", + "Enmerkar Forest" + ], + [ + "Junk Pile", + "1 - 2", + "10%", + "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide" + ], + [ + "Knight's Corpse", + "1 - 2", + "10%", + "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage" + ] + ] + } + ], + "description": "Palladium Scrap is crafting material in Outward." + }, + { + "name": "Palladium Set", + "url": "https://outward.fandom.com/wiki/Palladium_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1400", + "Damage Resist": "62% 60%", + "Durability": "1470", + "Hot Weather Def.": "-10", + "Impact Resist": "44%", + "Mana Cost": "30%", + "Movement Speed": "-10%", + "Object ID": "3100060 (Chest)3100062 (Legs)3100061 (Head)", + "Protection": "7", + "Sell": "454", + "Slot": "Set", + "Stamina Cost": "8%", + "Weight": "48.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "20%", + "column_5": "3", + "column_6": "-10", + "column_7": "4%", + "column_8": "–", + "column_9": "-4%", + "durability": "490", + "name": "Palladium Armor", + "resistances": "26% 30%", + "weight": "22.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "2%", + "column_8": "–", + "column_9": "-3%", + "durability": "490", + "name": "Palladium Boots", + "resistances": "18% 15%", + "weight": "15.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "2%", + "column_8": "30%", + "column_9": "-3%", + "durability": "490", + "name": "Palladium Helm", + "resistances": "18% 15%", + "weight": "11.0" + } + ], + "raw_rows": [ + [ + "", + "Palladium Armor", + "26% 30%", + "20%", + "3", + "-10", + "4%", + "–", + "-4%", + "490", + "22.0", + "Body Armor" + ], + [ + "", + "Palladium Boots", + "18% 15%", + "12%", + "2", + "–", + "2%", + "–", + "-3%", + "490", + "15.0", + "Boots" + ], + [ + "", + "Palladium Helm", + "18% 15%", + "12%", + "2", + "–", + "2%", + "30%", + "-3%", + "490", + "11.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Shield", + "column_4": "51", + "column_6": "–", + "damage": "32", + "durability": "300", + "effects": "Elemental Vulnerability", + "name": "Fabulous Palladium Shield", + "resist": "17%", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "1H Axe", + "column_4": "24", + "column_6": "5.2", + "damage": "24.75 8.25", + "durability": "475", + "effects": "–", + "name": "Palladium Axe", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Sword", + "column_4": "39", + "column_6": "7.2", + "damage": "29.25 9.75", + "durability": "500", + "effects": "–", + "name": "Palladium Claymore", + "resist": "–", + "speed": "1.0", + "weight": "8.0" + }, + { + "class": "2H Axe", + "column_4": "36", + "column_6": "7.2", + "damage": "30 10", + "durability": "525", + "effects": "–", + "name": "Palladium Greataxe", + "resist": "–", + "speed": "1.0", + "weight": "8.0" + }, + { + "class": "2H Mace", + "column_4": "47", + "column_6": "7.2", + "damage": "27.75 9.25", + "durability": "575", + "effects": "–", + "name": "Palladium Greathammer", + "resist": "–", + "speed": "1.0", + "weight": "9.0" + }, + { + "class": "Halberd", + "column_4": "41", + "column_6": "6.5", + "damage": "25.5 8.5", + "durability": "525", + "effects": "–", + "name": "Palladium Halberd", + "resist": "–", + "speed": "1.0", + "weight": "8.0" + }, + { + "class": "2H Gauntlet", + "column_4": "17", + "column_6": "2.6", + "damage": "21 7", + "durability": "450", + "effects": "Elemental Vulnerability", + "name": "Palladium Knuckles", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "1H Mace", + "column_4": "38", + "column_6": "5.2", + "damage": "27 9", + "durability": "550", + "effects": "–", + "name": "Palladium Mace", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "Shield", + "column_4": "56", + "column_6": "–", + "damage": "25.6 6.4", + "durability": "300", + "effects": "–", + "name": "Palladium Shield", + "resist": "18%", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "Spear", + "column_4": "26", + "column_6": "5.2", + "damage": "29.25 9.75", + "durability": "450", + "effects": "–", + "name": "Palladium Spear", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "1H Sword", + "column_4": "23", + "column_6": "4.55", + "damage": "23.25 7.75", + "durability": "425", + "effects": "–", + "name": "Palladium Sword", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Fabulous Palladium Shield", + "32", + "51", + "17%", + "–", + "1.0", + "300", + "7.0", + "Elemental Vulnerability", + "Shield" + ], + [ + "", + "Palladium Axe", + "24.75 8.25", + "24", + "–", + "5.2", + "1.0", + "475", + "6.0", + "–", + "1H Axe" + ], + [ + "", + "Palladium Claymore", + "29.25 9.75", + "39", + "–", + "7.2", + "1.0", + "500", + "8.0", + "–", + "2H Sword" + ], + [ + "", + "Palladium Greataxe", + "30 10", + "36", + "–", + "7.2", + "1.0", + "525", + "8.0", + "–", + "2H Axe" + ], + [ + "", + "Palladium Greathammer", + "27.75 9.25", + "47", + "–", + "7.2", + "1.0", + "575", + "9.0", + "–", + "2H Mace" + ], + [ + "", + "Palladium Halberd", + "25.5 8.5", + "41", + "–", + "6.5", + "1.0", + "525", + "8.0", + "–", + "Halberd" + ], + [ + "", + "Palladium Knuckles", + "21 7", + "17", + "–", + "2.6", + "1.0", + "450", + "5.0", + "Elemental Vulnerability", + "2H Gauntlet" + ], + [ + "", + "Palladium Mace", + "27 9", + "38", + "–", + "5.2", + "1.0", + "550", + "7.0", + "–", + "1H Mace" + ], + [ + "", + "Palladium Shield", + "25.6 6.4", + "56", + "18%", + "–", + "1.0", + "300", + "7.0", + "–", + "Shield" + ], + [ + "", + "Palladium Spear", + "29.25 9.75", + "26", + "–", + "5.2", + "1.0", + "450", + "7.0", + "–", + "Spear" + ], + [ + "", + "Palladium Sword", + "23.25 7.75", + "23", + "–", + "4.55", + "1.0", + "425", + "6.0", + "–", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "20%", + "column_5": "3", + "column_6": "-10", + "column_7": "4%", + "column_8": "–", + "column_9": "-4%", + "durability": "490", + "name": "Palladium Armor", + "resistances": "26% 30%", + "weight": "22.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "2%", + "column_8": "–", + "column_9": "-3%", + "durability": "490", + "name": "Palladium Boots", + "resistances": "18% 15%", + "weight": "15.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "2%", + "column_8": "30%", + "column_9": "-3%", + "durability": "490", + "name": "Palladium Helm", + "resistances": "18% 15%", + "weight": "11.0" + } + ], + "raw_rows": [ + [ + "", + "Palladium Armor", + "26% 30%", + "20%", + "3", + "-10", + "4%", + "–", + "-4%", + "490", + "22.0", + "Body Armor" + ], + [ + "", + "Palladium Boots", + "18% 15%", + "12%", + "2", + "–", + "2%", + "–", + "-3%", + "490", + "15.0", + "Boots" + ], + [ + "", + "Palladium Helm", + "18% 15%", + "12%", + "2", + "–", + "2%", + "30%", + "-3%", + "490", + "11.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Shield", + "column_4": "51", + "column_6": "–", + "damage": "32", + "durability": "300", + "effects": "Elemental Vulnerability", + "name": "Fabulous Palladium Shield", + "resist": "17%", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "1H Axe", + "column_4": "24", + "column_6": "5.2", + "damage": "24.75 8.25", + "durability": "475", + "effects": "–", + "name": "Palladium Axe", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Sword", + "column_4": "39", + "column_6": "7.2", + "damage": "29.25 9.75", + "durability": "500", + "effects": "–", + "name": "Palladium Claymore", + "resist": "–", + "speed": "1.0", + "weight": "8.0" + }, + { + "class": "2H Axe", + "column_4": "36", + "column_6": "7.2", + "damage": "30 10", + "durability": "525", + "effects": "–", + "name": "Palladium Greataxe", + "resist": "–", + "speed": "1.0", + "weight": "8.0" + }, + { + "class": "2H Mace", + "column_4": "47", + "column_6": "7.2", + "damage": "27.75 9.25", + "durability": "575", + "effects": "–", + "name": "Palladium Greathammer", + "resist": "–", + "speed": "1.0", + "weight": "9.0" + }, + { + "class": "Halberd", + "column_4": "41", + "column_6": "6.5", + "damage": "25.5 8.5", + "durability": "525", + "effects": "–", + "name": "Palladium Halberd", + "resist": "–", + "speed": "1.0", + "weight": "8.0" + }, + { + "class": "2H Gauntlet", + "column_4": "17", + "column_6": "2.6", + "damage": "21 7", + "durability": "450", + "effects": "Elemental Vulnerability", + "name": "Palladium Knuckles", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "1H Mace", + "column_4": "38", + "column_6": "5.2", + "damage": "27 9", + "durability": "550", + "effects": "–", + "name": "Palladium Mace", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "Shield", + "column_4": "56", + "column_6": "–", + "damage": "25.6 6.4", + "durability": "300", + "effects": "–", + "name": "Palladium Shield", + "resist": "18%", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "Spear", + "column_4": "26", + "column_6": "5.2", + "damage": "29.25 9.75", + "durability": "450", + "effects": "–", + "name": "Palladium Spear", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "1H Sword", + "column_4": "23", + "column_6": "4.55", + "damage": "23.25 7.75", + "durability": "425", + "effects": "–", + "name": "Palladium Sword", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Fabulous Palladium Shield", + "32", + "51", + "17%", + "–", + "1.0", + "300", + "7.0", + "Elemental Vulnerability", + "Shield" + ], + [ + "", + "Palladium Axe", + "24.75 8.25", + "24", + "–", + "5.2", + "1.0", + "475", + "6.0", + "–", + "1H Axe" + ], + [ + "", + "Palladium Claymore", + "29.25 9.75", + "39", + "–", + "7.2", + "1.0", + "500", + "8.0", + "–", + "2H Sword" + ], + [ + "", + "Palladium Greataxe", + "30 10", + "36", + "–", + "7.2", + "1.0", + "525", + "8.0", + "–", + "2H Axe" + ], + [ + "", + "Palladium Greathammer", + "27.75 9.25", + "47", + "–", + "7.2", + "1.0", + "575", + "9.0", + "–", + "2H Mace" + ], + [ + "", + "Palladium Halberd", + "25.5 8.5", + "41", + "–", + "6.5", + "1.0", + "525", + "8.0", + "–", + "Halberd" + ], + [ + "", + "Palladium Knuckles", + "21 7", + "17", + "–", + "2.6", + "1.0", + "450", + "5.0", + "Elemental Vulnerability", + "2H Gauntlet" + ], + [ + "", + "Palladium Mace", + "27 9", + "38", + "–", + "5.2", + "1.0", + "550", + "7.0", + "–", + "1H Mace" + ], + [ + "", + "Palladium Shield", + "25.6 6.4", + "56", + "18%", + "–", + "1.0", + "300", + "7.0", + "–", + "Shield" + ], + [ + "", + "Palladium Spear", + "29.25 9.75", + "26", + "–", + "5.2", + "1.0", + "450", + "7.0", + "–", + "Spear" + ], + [ + "", + "Palladium Sword", + "23.25 7.75", + "23", + "–", + "4.55", + "1.0", + "425", + "6.0", + "–", + "1H Sword" + ] + ] + } + ], + "description": "Palladium Set is a Set in Outward." + }, + { + "name": "Palladium Shield", + "url": "https://outward.fandom.com/wiki/Palladium_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Shields", + "Damage": "25.6 6.4", + "Durability": "300", + "Impact": "56", + "Impact Resist": "18%", + "Item Set": "Palladium Set", + "Object ID": "2300170", + "Sell": "240", + "Type": "One-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b0/Palladium_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407070615", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Palladium Shield" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "10%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "10%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Desert Captain" + } + ], + "raw_rows": [ + [ + "Desert Captain", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Palladium Shield is a type of Shield in Outward." + }, + { + "name": "Palladium Spear", + "url": "https://outward.fandom.com/wiki/Palladium_Spear", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Spears", + "Damage": "29.25 9.75", + "Durability": "450", + "Impact": "26", + "Item Set": "Palladium Set", + "Object ID": "2130140", + "Sell": "300", + "Stamina Cost": "5.2", + "Type": "Two-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/86/Palladium_Spear.png/revision/latest?cb=20190413070547", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Palladium Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "29.25 9.75", + "description": "Two forward-thrusting stabs", + "impact": "26", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "40.95 13.65", + "description": "Forward-lunging strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "38.03 12.68", + "description": "Left-sweeping strike, jump back", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "35.1 11.7", + "description": "Fast spinning strike from the right", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "29.25 9.75", + "26", + "5.2", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "40.95 13.65", + "31.2", + "6.5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "38.03 12.68", + "31.2", + "6.5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "35.1 11.7", + "28.6", + "6.5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Castigation" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Humiliation" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Castigation", + "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Humiliation", + "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "10%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "10%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Palladium Spear is a type of Spear in Outward." + }, + { + "name": "Palladium Sword", + "url": "https://outward.fandom.com/wiki/Palladium_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Swords", + "Damage": "23.25 7.75", + "Durability": "425", + "Impact": "23", + "Item Set": "Palladium Set", + "Object ID": "2000140", + "Sell": "240", + "Stamina Cost": "4.55", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/86/Palladium_Sword.png/revision/latest?cb=20190413072211", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Palladium Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.55", + "damage": "23.25 7.75", + "description": "Two slash attacks, left to right", + "impact": "23", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.46", + "damage": "34.76 11.59", + "description": "Forward-thrusting strike", + "impact": "29.9", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "29.41 9.8", + "description": "Heavy left-lunging strike", + "impact": "25.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "29.41 9.8", + "description": "Heavy right-lunging strike", + "impact": "25.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "23.25 7.75", + "23", + "4.55", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "34.76 11.59", + "29.9", + "5.46", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "29.41 9.8", + "25.3", + "5.01", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "29.41 9.8", + "25.3", + "5.01", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Castigation" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Humiliation" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Castigation", + "Adds +33% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Humiliation", + "Adds +33% of the existing weapon's physical damage as Decay damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "10%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "10%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Desert Captain" + }, + { + "chance": "23.1%", + "quantity": "1", + "source": "Guardian of the Compass" + }, + { + "chance": "23.1%", + "quantity": "1", + "source": "Lightning Dancer" + } + ], + "raw_rows": [ + [ + "Desert Captain", + "1", + "100%" + ], + [ + "Guardian of the Compass", + "1", + "23.1%" + ], + [ + "Lightning Dancer", + "1", + "23.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Palladium Sword is a type of One-Handed Sword in Outward." + }, + { + "name": "Palladium Wristband", + "url": "https://outward.fandom.com/wiki/Palladium_Wristband", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "70", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "5400101", + "Sell": "21", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d8/Palladium_Wristband.png/revision/latest/scale-to-width-down/83?cb=20200616185548", + "recipes": [ + { + "result": "Galvanic Fists", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Shield Golem Scraps", + "Palladium Wristband", + "Palladium Wristband" + ], + "station": "None", + "source_page": "Palladium Wristband" + }, + { + "result": "Horror Fists", + "result_count": "1x", + "ingredients": [ + "Horror Chitin", + "Horror Chitin", + "Palladium Wristband", + "Palladium Wristband" + ], + "station": "None", + "source_page": "Palladium Wristband" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Beast Golem ScrapsShield Golem ScrapsPalladium WristbandPalladium Wristband", + "result": "1x Galvanic Fists", + "station": "None" + }, + { + "ingredients": "Horror ChitinHorror ChitinPalladium WristbandPalladium Wristband", + "result": "1x Horror Fists", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Fists", + "Beast Golem ScrapsShield Golem ScrapsPalladium WristbandPalladium Wristband", + "None" + ], + [ + "1x Horror Fists", + "Horror ChitinHorror ChitinPalladium WristbandPalladium Wristband", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "1 - 12", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ], + [ + "Howard Brock, Blacksmith", + "1 - 12", + "17.6%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Galvanic Golem" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Liquid-Cooled Golem" + }, + { + "chance": "42.8%", + "quantity": "1 - 3", + "source": "Wolfgang Captain" + }, + { + "chance": "16.9%", + "quantity": "1 - 3", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Galvanic Golem", + "1", + "100%" + ], + [ + "Liquid-Cooled Golem", + "1", + "100%" + ], + [ + "Wolfgang Captain", + "1 - 3", + "42.8%" + ], + [ + "Wolfgang Veteran", + "1 - 3", + "16.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Blood Mage Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "2.8%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "100%", + "Forgotten Research Laboratory" + ], + [ + "Adventurer's Corpse", + "1", + "2.8%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "1", + "2.8%", + "Ark of the Exiled" + ], + [ + "Chest", + "1", + "2.8%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "1", + "2.8%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "1", + "2.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "2.8%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Palladium Wristband is an Item in Outward." + }, + { + "name": "Panacea", + "url": "https://outward.fandom.com/wiki/Panacea", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "150", + "DLC": "The Three Brothers", + "Drink": "5%", + "Effects": "Removes all negative Effects", + "Object ID": "4300370", + "Perish Time": "∞", + "Sell": "45", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/37/Panacea.png/revision/latest/scale-to-width-down/83?cb=20201220075217", + "effects": [ + "Removes all purgeable negative Effects" + ], + "effect_links": [ + "/wiki/Effects" + ], + "recipes": [ + { + "result": "Panacea", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Panacea" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Sulphuric Mushroom Ableroot Peach Seeds", + "result": "1x Panacea", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Panacea", + "Water Sulphuric Mushroom Ableroot Peach Seeds", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "1 - 2", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 2", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 2", + "source": "Silver Tooth" + }, + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 40", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Apprentice Ritualist", + "1 - 2", + "100%", + "Ritualist's hut" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 2", + "100%", + "New Sirocco" + ], + [ + "Silver Tooth", + "1 - 2", + "100%", + "Silkworm's Refuge" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 40", + "50.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Cracked Gargoyle" + } + ], + "raw_rows": [ + [ + "Cracked Gargoyle", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 3", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 3", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1 - 3", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Myrmitaur's Haven", + "quantity": "1 - 3", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1 - 3", + "10%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 3", + "10%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 3", + "10%", + "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1 - 3", + "10%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 3", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 3", + "10%", + "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets" + ], + [ + "Knight's Corpse", + "1 - 3", + "10%", + "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Ornate Chest", + "1 - 3", + "10%", + "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1 - 3", + "10%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Panacea is an Item in Outward." + }, + { + "name": "Pathfinder Armor", + "url": "https://outward.fandom.com/wiki/Pathfinder_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "550", + "Cold Weather Def.": "12", + "Damage Resist": "20% 15%", + "Durability": "375", + "Hot Weather Def.": "12", + "Impact Resist": "12%", + "Item Set": "Pathfinder Set", + "Movement Speed": "-3%", + "Object ID": "3000224", + "Protection": "2", + "Sell": "165", + "Slot": "Chest", + "Stamina Cost": "3%", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cb/Pathfinder_Armor.png/revision/latest?cb=20190415123614", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense", + "enchantment": "Cocoon" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Cocoon", + "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "3.3%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "3.2%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + } + ], + "raw_rows": [ + [ + "Marsh Captain", + "1 - 4", + "3.3%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "3.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Pathfinder Armor is a type of Armor in Outward." + }, + { + "name": "Pathfinder Boots", + "url": "https://outward.fandom.com/wiki/Pathfinder_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "250", + "Cold Weather Def.": "6", + "Damage Resist": "13% 15%", + "Durability": "375", + "Hot Weather Def.": "6", + "Impact Resist": "7%", + "Item Set": "Pathfinder Set", + "Movement Speed": "-2%", + "Object ID": "3000226", + "Protection": "1", + "Sell": "83", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d9/Pathfinder_Boots.png/revision/latest?cb=20190415155400", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense", + "enchantment": "Cocoon" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Cocoon", + "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "9.7%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "6.3%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + } + ], + "raw_rows": [ + [ + "Marsh Captain", + "1 - 4", + "9.7%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "6.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Pathfinder Boots is a type of Armor in Outward." + }, + { + "name": "Pathfinder Claymore", + "url": "https://outward.fandom.com/wiki/Pathfinder_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Swords", + "Damage": "9.75 29.25", + "Durability": "250", + "Effects": "Elemental Vulnerability", + "Impact": "39", + "Item Set": "Pathfinder Set", + "Object ID": "2100130", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/13/Pathfinder_Claymore.png/revision/latest?cb=20190413074629", + "effects": [ + "Inflicts Elemental Vulnerability (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Pathfinder Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "9.75 29.25", + "description": "Two slashing strikes, left to right", + "impact": "39", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.36", + "damage": "14.63 43.88", + "description": "Overhead downward-thrusting strike", + "impact": "58.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "12.33 37", + "description": "Spinning strike from the right", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "12.33 37", + "description": "Spinning strike from the left", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "9.75 29.25", + "39", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "14.63 43.88", + "58.5", + "9.36", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "12.33 37", + "42.9", + "7.92", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "12.33 37", + "42.9", + "7.92", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Marsh Captain" + } + ], + "raw_rows": [ + [ + "Marsh Captain", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Pathfinder Claymore is a two-handed sword in Outward." + }, + { + "name": "Pathfinder Mask", + "url": "https://outward.fandom.com/wiki/Pathfinder_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "250", + "Cold Weather Def.": "6", + "Damage Resist": "13% 15%", + "Durability": "375", + "Hot Weather Def.": "6", + "Impact Resist": "7%", + "Item Set": "Pathfinder Set", + "Mana Cost": "15%", + "Movement Speed": "-2%", + "Object ID": "3000225", + "Protection": "1", + "Sell": "75", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/17/Pathfinder_Mask.png/revision/latest?cb=20190407194816", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense", + "enchantment": "Cocoon" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Cocoon", + "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "10.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "10.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "6.6%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "6.3%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + } + ], + "raw_rows": [ + [ + "Marsh Captain", + "1 - 4", + "6.6%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "6.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Pathfinder Mask is a type of Armor in Outward." + }, + { + "name": "Pathfinder Set", + "url": "https://outward.fandom.com/wiki/Pathfinder_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1050", + "Cold Weather Def.": "24", + "Damage Resist": "46% 45%", + "Durability": "1125", + "Hot Weather Def.": "24", + "Impact Resist": "26%", + "Mana Cost": "15%", + "Movement Speed": "-7%", + "Object ID": "3000224 (Chest)3000226 (Legs)3000225 (Head)", + "Protection": "4", + "Sell": "323", + "Slot": "Set", + "Stamina Cost": "7%", + "Weight": "25.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a9/Pathfinder_set.png/revision/latest/scale-to-width-down/250?cb=20190415211226", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-3%", + "column_4": "12%", + "column_5": "2", + "column_6": "12", + "column_7": "12", + "column_8": "3%", + "column_9": "–", + "durability": "375", + "name": "Pathfinder Armor", + "resistances": "20% 15%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_10": "-2%", + "column_4": "7%", + "column_5": "1", + "column_6": "6", + "column_7": "6", + "column_8": "2%", + "column_9": "–", + "durability": "375", + "name": "Pathfinder Boots", + "resistances": "13% 15%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_10": "-2%", + "column_4": "7%", + "column_5": "1", + "column_6": "6", + "column_7": "6", + "column_8": "2%", + "column_9": "15%", + "durability": "375", + "name": "Pathfinder Mask", + "resistances": "13% 15%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Pathfinder Armor", + "20% 15%", + "12%", + "2", + "12", + "12", + "3%", + "–", + "-3%", + "375", + "12.0", + "Body Armor" + ], + [ + "", + "Pathfinder Boots", + "13% 15%", + "7%", + "1", + "6", + "6", + "2%", + "–", + "-2%", + "375", + "8.0", + "Boots" + ], + [ + "", + "Pathfinder Mask", + "13% 15%", + "7%", + "1", + "6", + "6", + "2%", + "15%", + "-2%", + "375", + "5.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "2H Sword", + "column_4": "39", + "column_5": "7.2", + "damage": "9.75 29.25", + "durability": "250", + "effects": "Elemental Vulnerability", + "name": "Pathfinder Claymore", + "speed": "0.9", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Pathfinder Claymore", + "9.75 29.25", + "39", + "7.2", + "0.9", + "250", + "6.0", + "Elemental Vulnerability", + "2H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-3%", + "column_4": "12%", + "column_5": "2", + "column_6": "12", + "column_7": "12", + "column_8": "3%", + "column_9": "–", + "durability": "375", + "name": "Pathfinder Armor", + "resistances": "20% 15%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_10": "-2%", + "column_4": "7%", + "column_5": "1", + "column_6": "6", + "column_7": "6", + "column_8": "2%", + "column_9": "–", + "durability": "375", + "name": "Pathfinder Boots", + "resistances": "13% 15%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_10": "-2%", + "column_4": "7%", + "column_5": "1", + "column_6": "6", + "column_7": "6", + "column_8": "2%", + "column_9": "15%", + "durability": "375", + "name": "Pathfinder Mask", + "resistances": "13% 15%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Pathfinder Armor", + "20% 15%", + "12%", + "2", + "12", + "12", + "3%", + "–", + "-3%", + "375", + "12.0", + "Body Armor" + ], + [ + "", + "Pathfinder Boots", + "13% 15%", + "7%", + "1", + "6", + "6", + "2%", + "–", + "-2%", + "375", + "8.0", + "Boots" + ], + [ + "", + "Pathfinder Mask", + "13% 15%", + "7%", + "1", + "6", + "6", + "2%", + "15%", + "-2%", + "375", + "5.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "2H Sword", + "column_4": "39", + "column_5": "7.2", + "damage": "9.75 29.25", + "durability": "250", + "effects": "Elemental Vulnerability", + "name": "Pathfinder Claymore", + "speed": "0.9", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Pathfinder Claymore", + "9.75 29.25", + "39", + "7.2", + "0.9", + "250", + "6.0", + "Elemental Vulnerability", + "2H Sword" + ] + ] + } + ], + "description": "Pathfinder Set is a Set in Outward." + }, + { + "name": "Patterned Worker Attire", + "url": "https://outward.fandom.com/wiki/Patterned_Worker_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "6", + "Damage Resist": "3%", + "Durability": "90", + "Impact Resist": "2%", + "Item Set": "Worker Set", + "Object ID": "3000081", + "Sell": "3", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/77/Patterned_Worker_Attire.png/revision/latest?cb=20190415123743", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Patterned Worker Attire" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Patterned Worker Attire" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Patterned Worker Attire" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Patterned Worker Attire" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Patterned Worker Attire" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Patterned Worker Attire" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Patterned Worker Attire" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Patterned Worker Attire" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Patterned Worker Attire" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Shopkeeper Doran" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Shopkeeper Doran", + "1", + "100%", + "Cierzo" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.8%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "1.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "1.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "3%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "3%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "3%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "3%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "3%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "1.8%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "1.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "1.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "1.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Patterned Worker Attire is a type of Armor in Outward." + }, + { + "name": "Patterned Worker Hood", + "url": "https://outward.fandom.com/wiki/Patterned_Worker_Hood", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "6", + "Cold Weather Def.": "3", + "Damage Resist": "1%", + "Durability": "90", + "Hot Weather Def.": "1", + "Impact Resist": "1%", + "Item Set": "Worker Set", + "Object ID": "3000086", + "Sell": "2", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3c/Patterned_Worker_Hood.png/revision/latest?cb=20190407081058", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Patterned Worker Hood" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Patterned Worker Hood" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Patterned Worker Hood" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5% Cooldown ReductionGain +5 Pouch Bonus", + "enchantment": "Unassuming Ingenuity" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unassuming Ingenuity", + "Gain +5% Cooldown ReductionGain +5 Pouch Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Shopkeeper Doran" + } + ], + "raw_rows": [ + [ + "Shopkeeper Doran", + "1", + "100%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "2.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "2.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "3%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "3%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "3%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "3%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "3%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "2.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "2.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "2.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Patterned Worker Hood is a type of Armor in Outward." + }, + { + "name": "Peacemaker Elixir", + "url": "https://outward.fandom.com/wiki/Peacemaker_Elixir", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "100", + "Effects": "Peacemaker Elixir (skill)", + "Object ID": "4300270", + "Perish Time": "∞", + "Sell": "30", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/82/Peacemaker_Elixir.png/revision/latest?cb=20190417072423", + "effects": [ + "Receive Peacemaker Elixir (skill) - increases maximum Health, Stamina and Mana by +20" + ], + "description": "Peacemaker Elixir is a unique potion in Outward. Peacemaker Elixir grants the passive skill Peacemaker Elixir when consumed." + }, + { + "name": "Peach Seeds", + "url": "https://outward.fandom.com/wiki/Peach_Seeds", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "10", + "DLC": "The Three Brothers", + "Object ID": "6000330", + "Sell": "3", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/eb/Peach_Seeds.png/revision/latest/scale-to-width-down/83?cb=20201220075220", + "recipes": [ + { + "result": "Peach Seeds", + "result_count": "1x", + "ingredients": [ + "Rainbow Peach" + ], + "station": "Campfire", + "source_page": "Peach Seeds" + }, + { + "result": "Barrier Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Peach Seeds" + }, + { + "result": "Bracing Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Peach Seeds" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Peach Seeds" + }, + { + "result": "Panacea", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Peach Seeds" + }, + { + "result": "Shimmer Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Peach Seeds" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Rainbow Peach", + "result": "1x Peach Seeds", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Peach Seeds", + "Rainbow Peach", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterPeach SeedsCrysocolla Beetle", + "result": "1x Barrier Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterAblerootAblerootPeach Seeds", + "result": "1x Bracing Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSulphuric MushroomAblerootPeach Seeds", + "result": "1x Panacea", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "result": "1x Shimmer Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Barrier Potion", + "WaterPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Bracing Potion", + "WaterAblerootAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "1x Panacea", + "WaterSulphuric MushroomAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "1x Shimmer Potion", + "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "29.3%", + "locations": "New Sirocco", + "quantity": "1 - 30", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "1 - 30", + "29.3%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.3%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "14.3%", + "locations": "Oil Refinery, The Eldest Brother", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "14.3%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "14.3%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.3%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "14.3%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "14.3%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "14.3%", + "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone" + ], + [ + "Corpse", + "1", + "14.3%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "14.3%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "14.3%", + "Oil Refinery, The Eldest Brother" + ], + [ + "Knight's Corpse", + "1", + "14.3%", + "Steam Bath Tunnels" + ], + [ + "Ornate Chest", + "1", + "14.3%", + "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony" + ], + [ + "Scavenger's Corpse", + "1", + "14.3%", + "Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "14.3%", + "Old Sirocco" + ] + ] + } + ], + "description": "Peach Seeds is an Item in Outward." + }, + { + "name": "Pearlbird Mask", + "url": "https://outward.fandom.com/wiki/Pearlbird_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Damage Resist": "2%", + "Durability": "100", + "Impact Resist": "2%", + "Movement Speed": "15%", + "Object ID": "3000250", + "Sell": "6", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/89/Pearlbird_Mask.png/revision/latest?cb=20190407081126", + "recipes": [ + { + "result": "Murmure", + "result_count": "1x", + "ingredients": [ + "Ceremonial Bow", + "Pearlbird Mask" + ], + "station": "None", + "source_page": "Pearlbird Mask" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "2.4%", + "quantity": "1", + "source": "Pearlbird" + } + ], + "raw_rows": [ + [ + "Pearlbird", + "1", + "2.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ceremonial BowPearlbird Mask", + "result": "1x Murmure", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Murmure", + "Ceremonial BowPearlbird Mask", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Pearlbird Mask is a helmet in Outward that can be found as a rare drop from Pearlbirds in the Chersonese region." + }, + { + "name": "Pearlbird's Courage", + "url": "https://outward.fandom.com/wiki/Pearlbird%27s_Courage", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Object ID": "6600221", + "Sell": "60", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/29/Pearlbird%E2%80%99s_Courage.png/revision/latest/scale-to-width-down/83?cb=20190629155238", + "recipes": [ + { + "result": "Caged Armor Chestplate", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Vendavel's Hospitality", + "Metalized Bones" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Caged Armor Helm", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Leyline Figment", + "Vendavel's Hospitality", + "Enchanted Mask" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Challenger Greathammer", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Haunted Memory", + "Calixa's Relic" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Krypteia Boots", + "result_count": "1x", + "ingredients": [ + "Scourge's Tears", + "Pearlbird's Courage", + "Calixa's Relic", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Krypteia Mask", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Haunted Memory", + "Gep's Generosity", + "Scarlet Whisper" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Mace of Seasons", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Elatt's Relic", + "Leyline Figment" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Maelstrom Blade", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Elatt's Relic", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Pilgrim Armor", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Scourge's Tears", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Pilgrim Helmet", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Elatt's Relic", + "Haunted Memory" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Shock Armor", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Scourge's Tears", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Squire Attire", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Elatt's Relic", + "Calixa's Relic", + "Haunted Memory" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + }, + { + "result": "Thermal Claymore", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Haunted Memory", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Pearlbird's Courage" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's GenerosityPearlbird's CourageVendavel's HospitalityMetalized Bones", + "result": "1x Caged Armor Chestplate", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageLeyline FigmentVendavel's HospitalityEnchanted Mask", + "result": "1x Caged Armor Helm", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageHaunted MemoryCalixa's Relic", + "result": "1x Challenger Greathammer", + "station": "None" + }, + { + "ingredients": "Scourge's TearsPearlbird's CourageCalixa's RelicCalygrey's Wisdom", + "result": "1x Krypteia Boots", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageHaunted MemoryGep's GenerosityScarlet Whisper", + "result": "1x Krypteia Mask", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageElatt's RelicLeyline Figment", + "result": "1x Mace of Seasons", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageElatt's RelicCalixa's RelicVendavel's Hospitality", + "result": "1x Maelstrom Blade", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageScourge's TearsLeyline FigmentVendavel's Hospitality", + "result": "1x Pilgrim Armor", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityPearlbird's CourageElatt's RelicHaunted Memory", + "result": "1x Pilgrim Helmet", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageScourge's TearsCalixa's RelicVendavel's Hospitality", + "result": "1x Shock Armor", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageElatt's RelicCalixa's RelicHaunted Memory", + "result": "1x Squire Attire", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageHaunted MemoryLeyline FigmentVendavel's Hospitality", + "result": "1x Thermal Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Caged Armor Chestplate", + "Gep's GenerosityPearlbird's CourageVendavel's HospitalityMetalized Bones", + "None" + ], + [ + "1x Caged Armor Helm", + "Pearlbird's CourageLeyline FigmentVendavel's HospitalityEnchanted Mask", + "None" + ], + [ + "1x Challenger Greathammer", + "Gep's GenerosityPearlbird's CourageHaunted MemoryCalixa's Relic", + "None" + ], + [ + "1x Krypteia Boots", + "Scourge's TearsPearlbird's CourageCalixa's RelicCalygrey's Wisdom", + "None" + ], + [ + "1x Krypteia Mask", + "Pearlbird's CourageHaunted MemoryGep's GenerosityScarlet Whisper", + "None" + ], + [ + "1x Mace of Seasons", + "Gep's GenerosityPearlbird's CourageElatt's RelicLeyline Figment", + "None" + ], + [ + "1x Maelstrom Blade", + "Pearlbird's CourageElatt's RelicCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Pilgrim Armor", + "Pearlbird's CourageScourge's TearsLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Pilgrim Helmet", + "Gep's GenerosityPearlbird's CourageElatt's RelicHaunted Memory", + "None" + ], + [ + "1x Shock Armor", + "Pearlbird's CourageScourge's TearsCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Squire Attire", + "Pearlbird's CourageElatt's RelicCalixa's RelicHaunted Memory", + "None" + ], + [ + "1x Thermal Claymore", + "Pearlbird's CourageHaunted MemoryLeyline FigmentVendavel's Hospitality", + "None" + ] + ] + } + ], + "description": "Pearlbird's Courage is an item in Outward." + }, + { + "name": "Pearlescent Mail", + "url": "https://outward.fandom.com/wiki/Pearlescent_Mail", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "675", + "Cold Weather Def.": "8", + "Damage Bonus": "15%", + "Damage Resist": "25%", + "Durability": "440", + "Impact Resist": "16%", + "Object ID": "3000150", + "Sell": "224", + "Slot": "Chest", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/00/Pearlescent_Mail.png/revision/latest?cb=20190415123928", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Luke the Pearlescent" + } + ], + "raw_rows": [ + [ + "Luke the Pearlescent", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Pearlescent Mail is a type of Armor in Outward." + }, + { + "name": "Petrified Organs", + "url": "https://outward.fandom.com/wiki/Petrified_Organs", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6000440", + "Sell": "27", + "Type": "Ingredient", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0c/Petrified_Organs.png/revision/latest/scale-to-width-down/83?cb=20201220075221", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From / Unidentified Sample Sources", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + } + ], + "description": "Petrified Organs is an Item in Outward." + }, + { + "name": "Petrified Wood", + "url": "https://outward.fandom.com/wiki/Petrified_Wood", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "32", + "Object ID": "6400080", + "Sell": "10", + "Type": "Ingredient", + "Weight": "1.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/00/Petrified_Wood.png/revision/latest?cb=20190526100650", + "recipes": [ + { + "result": "Petrified Wood Armor", + "result_count": "1x", + "ingredients": [ + "250 silver", + "5x Petrified Wood" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Petrified Wood" + }, + { + "result": "Petrified Wood Boots", + "result_count": "1x", + "ingredients": [ + "140 silver", + "2x Petrified Wood" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Petrified Wood" + }, + { + "result": "Petrified Wood Helm", + "result_count": "1x", + "ingredients": [ + "150 silver", + "2x Petrified Wood" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Petrified Wood" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "250 silver5x Petrified Wood", + "result": "1x Petrified Wood Armor", + "station": "Quikiza the Blacksmith" + }, + { + "ingredients": "140 silver2x Petrified Wood", + "result": "1x Petrified Wood Boots", + "station": "Quikiza the Blacksmith" + }, + { + "ingredients": "150 silver2x Petrified Wood", + "result": "1x Petrified Wood Helm", + "station": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Petrified Wood Armor", + "250 silver5x Petrified Wood", + "Quikiza the Blacksmith" + ], + [ + "1x Petrified Wood Boots", + "140 silver2x Petrified Wood", + "Quikiza the Blacksmith" + ], + [ + "1x Petrified Wood Helm", + "150 silver2x Petrified Wood", + "Quikiza the Blacksmith" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Petrified Wood Vein" + } + ], + "raw_rows": [ + [ + "Petrified Wood Vein", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.3%", + "quantity": "1", + "source": "Hive Lord" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Tyrant of the Hive" + } + ], + "raw_rows": [ + [ + "Hive Lord", + "1", + "14.3%" + ], + [ + "Tyrant of the Hive", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1 - 2", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1 - 2", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1 - 2", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1 - 2", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Petrified Wood is a crafting item in Outward." + }, + { + "name": "Petrified Wood Armor", + "url": "https://outward.fandom.com/wiki/Petrified_Wood_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "440", + "Damage Resist": "18% 30%", + "Durability": "235", + "Hot Weather Def.": "10", + "Impact Resist": "17%", + "Item Set": "Petrified Wood Set", + "Made By": "Quikiza (Berg)", + "Materials": "5x Petrified Wood 250", + "Movement Speed": "-3%", + "Object ID": "3100020", + "Protection": "2", + "Sell": "146", + "Slot": "Chest", + "Stamina Cost": "3%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/aa/Petrified_Wood_Armor.png/revision/latest?cb=20190415124247", + "recipes": [ + { + "result": "Petrified Wood Armor", + "result_count": "1x", + "ingredients": [ + "250 silver", + "5x Petrified Wood" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Petrified Wood Armor" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "250 silver5x Petrified Wood", + "result": "1x Petrified Wood Armor", + "station": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Petrified Wood Armor", + "250 silver5x Petrified Wood", + "Quikiza the Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Petrified Wood Armor is a type of Armor in Outward." + }, + { + "name": "Petrified Wood Boots", + "url": "https://outward.fandom.com/wiki/Petrified_Wood_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "240", + "Damage Resist": "12% 15%", + "Durability": "235", + "Hot Weather Def.": "5", + "Impact Resist": "12%", + "Item Set": "Petrified Wood Set", + "Made By": "Quikiza (Berg)", + "Materials": "2x Petrified Wood 140", + "Movement Speed": "-2%", + "Object ID": "3100022", + "Protection": "1", + "Sell": "79", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/de/Petrified_Wood_Boots.png/revision/latest?cb=20190415155452", + "recipes": [ + { + "result": "Petrified Wood Boots", + "result_count": "1x", + "ingredients": [ + "140 silver", + "2x Petrified Wood" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Petrified Wood Boots" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "140 silver2x Petrified Wood", + "result": "1x Petrified Wood Boots", + "station": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Petrified Wood Boots", + "140 silver2x Petrified Wood", + "Quikiza the Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Petrified Wood Boots is a type of Armor in Outward." + }, + { + "name": "Petrified Wood Helm", + "url": "https://outward.fandom.com/wiki/Petrified_Wood_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "240", + "Damage Resist": "12% 15%", + "Durability": "235", + "Hot Weather Def.": "5", + "Impact Resist": "12%", + "Item Set": "Petrified Wood Set", + "Made By": "Quikiza (Berg)", + "Mana Cost": "10%", + "Materials": "2x Petrified Wood 150", + "Movement Speed": "-2%", + "Object ID": "3100021", + "Protection": "1", + "Sell": "72", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Petrified_Wood_Helm.png/revision/latest?cb=20190411085252", + "recipes": [ + { + "result": "Petrified Wood Helm", + "result_count": "1x", + "ingredients": [ + "150 silver", + "2x Petrified Wood" + ], + "station": "Quikiza the Blacksmith", + "source_page": "Petrified Wood Helm" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "150 silver2x Petrified Wood", + "result": "1x Petrified Wood Helm", + "station": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "1x Petrified Wood Helm", + "150 silver2x Petrified Wood", + "Quikiza the Blacksmith" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Petrified Wood Helm is a type of Armor in Outward." + }, + { + "name": "Petrified Wood Set", + "url": "https://outward.fandom.com/wiki/Petrified_Wood_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "920", + "Damage Resist": "42% 60%", + "Durability": "705", + "Hot Weather Def.": "20", + "Impact Resist": "41%", + "Mana Cost": "10%", + "Movement Speed": "-7%", + "Object ID": "3100020 (Chest)3100022 (Legs)3100021 (Head)", + "Protection": "4", + "Sell": "297", + "Slot": "Set", + "Stamina Cost": "7%", + "Weight": "19.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b6/Petrified_wood_set.png/revision/latest/scale-to-width-down/242?cb=20190415211249", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "2", + "column_6": "10", + "column_7": "3%", + "column_8": "–", + "column_9": "-3%", + "durability": "235", + "name": "Petrified Wood Armor", + "resistances": "18% 30%", + "weight": "10.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "–", + "column_9": "-2%", + "durability": "235", + "name": "Petrified Wood Boots", + "resistances": "12% 15%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "10%", + "column_9": "-2%", + "durability": "235", + "name": "Petrified Wood Helm", + "resistances": "12% 15%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Petrified Wood Armor", + "18% 30%", + "17%", + "2", + "10", + "3%", + "–", + "-3%", + "235", + "10.0", + "Body Armor" + ], + [ + "", + "Petrified Wood Boots", + "12% 15%", + "12%", + "1", + "5", + "2%", + "–", + "-2%", + "235", + "6.0", + "Boots" + ], + [ + "", + "Petrified Wood Helm", + "12% 15%", + "12%", + "1", + "5", + "2%", + "10%", + "-2%", + "235", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "2", + "column_6": "10", + "column_7": "3%", + "column_8": "–", + "column_9": "-3%", + "durability": "235", + "name": "Petrified Wood Armor", + "resistances": "18% 30%", + "weight": "10.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "–", + "column_9": "-2%", + "durability": "235", + "name": "Petrified Wood Boots", + "resistances": "12% 15%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "12%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "10%", + "column_9": "-2%", + "durability": "235", + "name": "Petrified Wood Helm", + "resistances": "12% 15%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Petrified Wood Armor", + "18% 30%", + "17%", + "2", + "10", + "3%", + "–", + "-3%", + "235", + "10.0", + "Body Armor" + ], + [ + "", + "Petrified Wood Boots", + "12% 15%", + "12%", + "1", + "5", + "2%", + "–", + "-2%", + "235", + "6.0", + "Boots" + ], + [ + "", + "Petrified Wood Helm", + "12% 15%", + "12%", + "1", + "5", + "2%", + "10%", + "-2%", + "235", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "The Petrified Wood Set can be commissioned from Quikiza in Berg." + }, + { + "name": "Phytosaur Horn", + "url": "https://outward.fandom.com/wiki/Phytosaur_Horn", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "Object ID": "6600160", + "Sell": "18", + "Type": "Ingredient", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/06/Phytosaur_Horn.png/revision/latest?cb=20190617093356", + "recipes": [ + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Phytosaur Horn", + "Marshmelon" + ], + "station": "Alchemy Kit", + "source_page": "Phytosaur Horn" + }, + { + "result": "Phytosaur Spear", + "result_count": "1x", + "ingredients": [ + "Phytosaur Horn", + "Fishing Harpoon", + "Miasmapod" + ], + "station": "None", + "source_page": "Phytosaur Horn" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Phytosaur HornMarshmelon", + "result": "1x Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Phytosaur HornFishing HarpoonMiasmapod", + "result": "1x Phytosaur Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Life Potion", + "Phytosaur HornMarshmelon", + "Alchemy Kit" + ], + [ + "1x Phytosaur Spear", + "Phytosaur HornFishing HarpoonMiasmapod", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "9%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "9%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Phytoflora" + }, + { + "chance": "42.9%", + "quantity": "1", + "source": "Phytosaur" + } + ], + "raw_rows": [ + [ + "Phytoflora", + "1", + "100%" + ], + [ + "Phytosaur", + "1", + "42.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Phytosaur Horn is a crafting material in Outward." + }, + { + "name": "Phytosaur Spear", + "url": "https://outward.fandom.com/wiki/Phytosaur_Spear", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "375", + "Class": "Spears", + "Damage": "37", + "Durability": "200", + "Effects": "Poison", + "Impact": "26", + "Object ID": "2130120", + "Sell": "112", + "Stamina Cost": "5", + "Type": "Two-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e0/Phytosaur_Spear.png/revision/latest?cb=20190413070630", + "effects": [ + "Inflicts Poisoned (45% buildup)" + ], + "effect_links": [ + "/wiki/Poisoned", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Phytosaur Spear", + "result_count": "1x", + "ingredients": [ + "Phytosaur Horn", + "Fishing Harpoon", + "Miasmapod" + ], + "station": "None", + "source_page": "Phytosaur Spear" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Phytosaur Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "37", + "description": "Two forward-thrusting stabs", + "impact": "26", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "51.8", + "description": "Forward-lunging strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "48.1", + "description": "Left-sweeping strike, jump back", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "44.4", + "description": "Fast spinning strike from the right", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37", + "26", + "5", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "51.8", + "31.2", + "6.25", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "48.1", + "31.2", + "6.25", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "44.4", + "28.6", + "6.25", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Phytosaur Horn Fishing Harpoon Miasmapod", + "result": "1x Phytosaur Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Phytosaur Spear", + "Phytosaur Horn Fishing Harpoon Miasmapod", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Phytosaur Spear is a Spear in Outward." + }, + { + "name": "Pilgrim Armor", + "url": "https://outward.fandom.com/wiki/Pilgrim_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "1050", + "Cold Weather Def.": "10", + "Damage Resist": "30%", + "Durability": "410", + "Hot Weather Def.": "10", + "Impact Resist": "18%", + "Item Set": "Pilgrim Set", + "Movement Speed": "-4%", + "Object ID": "3100160", + "Pouch Bonus": "10", + "Protection": "2", + "Sell": "315", + "Slot": "Chest", + "Stamina Cost": "7%", + "Weight": "20.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/aa/Pilgrim_Armor.png/revision/latest?cb=20190629155147", + "recipes": [ + { + "result": "Pilgrim Armor", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Scourge's Tears", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Pilgrim Armor" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Pearlbird's Courage Scourge's Tears Leyline Figment Vendavel's Hospitality", + "result": "1x Pilgrim Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Pilgrim Armor", + "Pearlbird's Courage Scourge's Tears Leyline Figment Vendavel's Hospitality", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Pilgrim Armor is a type of Armor in Outward." + }, + { + "name": "Pilgrim Boots", + "url": "https://outward.fandom.com/wiki/Pilgrim_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "525", + "Cold Weather Def.": "8", + "Damage Resist": "17%", + "Durability": "410", + "Hot Weather Def.": "8", + "Impact Resist": "11%", + "Item Set": "Pilgrim Set", + "Movement Speed": "-2%", + "Object ID": "3100162", + "Pouch Bonus": "5", + "Protection": "1", + "Sell": "157", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/23/Pilgrim_Boots.png/revision/latest?cb=20190629155148", + "recipes": [ + { + "result": "Pilgrim Boots", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Haunted Memory", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Pilgrim Boots" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Elatt's Relic Haunted Memory Calixa's Relic Vendavel's Hospitality", + "result": "1x Pilgrim Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Pilgrim Boots", + "Elatt's Relic Haunted Memory Calixa's Relic Vendavel's Hospitality", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Pilgrim Boots is a type of Armor in Outward." + }, + { + "name": "Pilgrim Helmet", + "url": "https://outward.fandom.com/wiki/Pilgrim_Helmet", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "525", + "Cold Weather Def.": "8", + "Damage Resist": "17%", + "Durability": "410", + "Hot Weather Def.": "8", + "Impact Resist": "11%", + "Item Set": "Pilgrim Set", + "Mana Cost": "15%", + "Movement Speed": "-2%", + "Object ID": "3100161", + "Pouch Bonus": "5", + "Protection": "2", + "Sell": "157", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/66/Pilgrim_Helmet.png/revision/latest?cb=20190629155150", + "recipes": [ + { + "result": "Pilgrim Helmet", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Elatt's Relic", + "Haunted Memory" + ], + "station": "None", + "source_page": "Pilgrim Helmet" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Pearlbird's Courage Elatt's Relic Haunted Memory", + "result": "1x Pilgrim Helmet", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Pilgrim Helmet", + "Gep's Generosity Pearlbird's Courage Elatt's Relic Haunted Memory", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Pilgrim Helmet is a type of Armor in Outward." + }, + { + "name": "Pilgrim Set", + "url": "https://outward.fandom.com/wiki/Pilgrim_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "2100", + "Cold Weather Def.": "26", + "Damage Resist": "64%", + "Durability": "1230", + "Hot Weather Def.": "26", + "Impact Resist": "40%", + "Mana Cost": "15%", + "Movement Speed": "-8%", + "Object ID": "3100160 (Chest)3100162 (Legs)3100161 (Head)", + "Pouch Bonus": "20", + "Protection": "5", + "Sell": "629", + "Slot": "Set", + "Stamina Cost": "15%", + "Weight": "36.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c6/Pilgrim_Set.png/revision/latest/scale-to-width-down/250?cb=20190910071602", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-4%", + "column_4": "18%", + "column_5": "2", + "column_6": "10", + "column_7": "10", + "column_8": "7%", + "column_9": "–", + "durability": "410", + "name": "Pilgrim Armor", + "pouch_bonus": "10", + "resistances": "30%", + "weight": "20.0" + }, + { + "class": "Boots", + "column_10": "-2%", + "column_4": "11%", + "column_5": "1", + "column_6": "8", + "column_7": "8", + "column_8": "4%", + "column_9": "–", + "durability": "410", + "name": "Pilgrim Boots", + "pouch_bonus": "5", + "resistances": "17%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_10": "-2%", + "column_4": "11%", + "column_5": "2", + "column_6": "8", + "column_7": "8", + "column_8": "4%", + "column_9": "15%", + "durability": "410", + "name": "Pilgrim Helmet", + "pouch_bonus": "5", + "resistances": "17%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Pilgrim Armor", + "30%", + "18%", + "2", + "10", + "10", + "7%", + "–", + "-4%", + "10", + "410", + "20.0", + "Body Armor" + ], + [ + "", + "Pilgrim Boots", + "17%", + "11%", + "1", + "8", + "8", + "4%", + "–", + "-2%", + "5", + "410", + "8.0", + "Boots" + ], + [ + "", + "Pilgrim Helmet", + "17%", + "11%", + "2", + "8", + "8", + "4%", + "15%", + "-2%", + "5", + "410", + "8.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-4%", + "column_4": "18%", + "column_5": "2", + "column_6": "10", + "column_7": "10", + "column_8": "7%", + "column_9": "–", + "durability": "410", + "name": "Pilgrim Armor", + "pouch_bonus": "10", + "resistances": "30%", + "weight": "20.0" + }, + { + "class": "Boots", + "column_10": "-2%", + "column_4": "11%", + "column_5": "1", + "column_6": "8", + "column_7": "8", + "column_8": "4%", + "column_9": "–", + "durability": "410", + "name": "Pilgrim Boots", + "pouch_bonus": "5", + "resistances": "17%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_10": "-2%", + "column_4": "11%", + "column_5": "2", + "column_6": "8", + "column_7": "8", + "column_8": "4%", + "column_9": "15%", + "durability": "410", + "name": "Pilgrim Helmet", + "pouch_bonus": "5", + "resistances": "17%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Pilgrim Armor", + "30%", + "18%", + "2", + "10", + "10", + "7%", + "–", + "-4%", + "10", + "410", + "20.0", + "Body Armor" + ], + [ + "", + "Pilgrim Boots", + "17%", + "11%", + "1", + "8", + "8", + "4%", + "–", + "-2%", + "5", + "410", + "8.0", + "Boots" + ], + [ + "", + "Pilgrim Helmet", + "17%", + "11%", + "2", + "8", + "8", + "4%", + "15%", + "-2%", + "5", + "410", + "8.0", + "Helmets" + ] + ] + } + ], + "description": "Pilgrim Set is a Set in Outward." + }, + { + "name": "Pillar Greathammer", + "url": "https://outward.fandom.com/wiki/Pillar_Greathammer", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "2500", + "Class": "Maces", + "Damage": "42.7 18.3", + "Durability": "475", + "Impact": "75", + "Object ID": "2120070", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/69/Pillar_Greathammer.png/revision/latest?cb=20190412212420", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "42.7 18.3", + "description": "Two slashing strikes, left to right", + "impact": "75", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "32.03 13.73", + "description": "Blunt strike with high impact", + "impact": "150", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "59.78 25.62", + "description": "Powerful overhead strike", + "impact": "105", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "59.78 25.62", + "description": "Forward-running uppercut strike", + "impact": "105", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "42.7 18.3", + "75", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "32.03 13.73", + "150", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "59.78 25.62", + "105", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "59.78 25.62", + "105", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Pillar Greathammer is a Unique two-handed mace in Outward." + }, + { + "name": "Pitchfork", + "url": "https://outward.fandom.com/wiki/Pitchfork", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "20", + "Class": "Spears", + "Damage": "17", + "Durability": "175", + "Impact": "14", + "Object ID": "2130040", + "Sell": "6", + "Stamina Cost": "4", + "Type": "Two-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1c/Pitchfork.png/revision/latest?cb=20190413070815", + "recipes": [ + { + "result": "Crescent Scythe", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Shark Cartilage", + "Palladium Scrap", + "Pitchfork" + ], + "station": "None", + "source_page": "Pitchfork" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Pitchfork" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4", + "damage": "17", + "description": "Two forward-thrusting stabs", + "impact": "14", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5", + "damage": "23.8", + "description": "Forward-lunging strike", + "impact": "16.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5", + "damage": "22.1", + "description": "Left-sweeping strike, jump back", + "impact": "16.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5", + "damage": "20.4", + "description": "Fast spinning strike from the right", + "impact": "15.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17", + "14", + "4", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "23.8", + "16.8", + "5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "22.1", + "16.8", + "5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.4", + "15.4", + "5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shark CartilageShark CartilagePalladium ScrapPitchfork", + "result": "1x Crescent Scythe", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Crescent Scythe", + "Shark CartilageShark CartilagePalladium ScrapPitchfork", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + } + ], + "raw_rows": [ + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "3.8%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3.8%", + "locations": "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3.8%", + "locations": "Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "3.8%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "3.8%", + "Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "3.8%", + "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility" + ], + [ + "Soldier's Corpse", + "1", + "3.8%", + "Wendigo Lair" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Pitchfork is a spear in Outward." + }, + { + "name": "Plank Shield", + "url": "https://outward.fandom.com/wiki/Plank_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "16", + "Class": "Shields", + "Damage": "9", + "Durability": "85", + "Impact": "25", + "Impact Resist": "10%", + "Object ID": "2300080", + "Sell": "0", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a6/Plank_Shield.png/revision/latest/scale-to-width-down/83?cb=20190411105336", + "recipes": [ + { + "result": "Plank Shield", + "result_count": "1x", + "ingredients": [ + "Wood", + "Linen Cloth", + "Linen Cloth" + ], + "station": "None", + "source_page": "Plank Shield" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Wood Linen Cloth Linen Cloth", + "result": "1x Plank Shield", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Plank Shield", + "Wood Linen Cloth Linen Cloth", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "8%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "8%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Adventurer's Corpse", + "1", + "8%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "8%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "8%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "8%", + "Blister Burrow" + ], + [ + "Soldier's Corpse", + "1", + "8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Plank Shield is a type of Shield in Outward." + }, + { + "name": "Plant Sample", + "url": "https://outward.fandom.com/wiki/Plant_Sample", + "categories": [ + "DLC: The Three Brothers", + "Other", + "Items" + ], + "infobox": { + "Buy": "30", + "DLC": "The Three Brothers", + "Object ID": "6000380", + "Sell": "9", + "Type": "Other", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/72/Plant_Sample.png/revision/latest/scale-to-width-down/83?cb=20201220075223", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Unidentified Roots" + } + ], + "raw_rows": [ + [ + "Unidentified Roots", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Volcanic Gastrocin" + }, + { + "chance": "86.8%", + "quantity": "1 - 5", + "source": "Breath of Darkness" + } + ], + "raw_rows": [ + [ + "Volcanic Gastrocin", + "1", + "100%" + ], + [ + "Breath of Darkness", + "1 - 5", + "86.8%" + ] + ] + } + ], + "description": "Plant Sample is an Item in Outward." + }, + { + "name": "Plant Tent", + "url": "https://outward.fandom.com/wiki/Plant_Tent", + "categories": [ + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "8", + "Class": "Deployable", + "Duration": "2400 seconds (40 minutes)", + "Effects": "+10 Hot Weather Def", + "Object ID": "5000070", + "Sell": "2", + "Type": "Sleep", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/93/Plant_Tent.png/revision/latest?cb=20190617110223", + "effects": [ + "Refills Hunger and Drink, allowing one to sleep indefinitely without penalty", + "Grants the \"Sleep: Plant Tent\" buff:", + "+10 Hot Weather Def" + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "+10 Hot Weather Def", + "name": "Sleep: Plant Tent" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Plant Tent", + "2400 seconds (40 minutes)", + "+10 Hot Weather Def" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Abrassar", + "quantity": "3 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Caldera", + "quantity": "3 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Chersonese", + "quantity": "3 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Enmerkar Forest", + "quantity": "3 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "3 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "48.8%", + "locations": "Harmattan", + "quantity": "3", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "3 - 4", + "100%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "3 - 4", + "100%", + "Berg" + ], + [ + "Soroborean Caravanner", + "3 - 4", + "100%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "3 - 4", + "100%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "3 - 4", + "100%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "3 - 4", + "100%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "Levant" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "New Sirocco" + ], + [ + "David Parks, Craftsman", + "3", + "48.8%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.1%", + "locations": "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.1%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "11.1%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "11.1%", + "locations": "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "11.1%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "11.1%", + "locations": "Voltaic Hatchery", + "quantity": "1", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "11.1%", + "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco" + ], + [ + "Calygrey Chest", + "1", + "11.1%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "11.1%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "11.1%", + "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone" + ], + [ + "Corpse", + "1", + "11.1%", + "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1", + "11.1%", + "Antique Plateau, Hallowed Marsh, Reptilian Lair" + ], + [ + "Hollowed Trunk", + "1", + "11.1%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "11.1%", + "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1", + "11.1%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1", + "11.1%", + "Voltaic Hatchery" + ] + ] + } + ], + "description": "Plant Tent is one of the deployable items in Outward. Like all tents, it is used for sleeping." + }, + { + "name": "Plate Armor", + "url": "https://outward.fandom.com/wiki/Plate_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "350", + "Damage Resist": "20%", + "Durability": "300", + "Hot Weather Def.": "-10", + "Impact Resist": "17%", + "Item Set": "Plate Set", + "Movement Speed": "-6%", + "Object ID": "3100003", + "Protection": "3", + "Sell": "116", + "Slot": "Chest", + "Stamina Cost": "6%", + "Weight": "18.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d7/Plate_Armor.png/revision/latest?cb=20190415124413", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Plate Armor" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus", + "enchantment": "Warmaster" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Warmaster", + "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "32.7%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "32.7%", + "Harmattan" + ], + [ + "Howard Brock, Blacksmith", + "1 - 4", + "17.6%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Plate Armor is a type of Armor in Outward." + }, + { + "name": "Plate Boots", + "url": "https://outward.fandom.com/wiki/Plate_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "175", + "Damage Resist": "14%", + "Durability": "300", + "Impact Resist": "10%", + "Item Set": "Plate Set", + "Movement Speed": "-4%", + "Object ID": "3100005", + "Protection": "2", + "Sell": "58", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8a/Plate_Boots.png/revision/latest?cb=20190415155542", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Plate Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus", + "enchantment": "Warmaster" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Warmaster", + "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "1 - 8", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Howard Brock, Blacksmith", + "1 - 8", + "17.6%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Plate Boots is a type of Armor in Outward." + }, + { + "name": "Plate Helm", + "url": "https://outward.fandom.com/wiki/Plate_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "175", + "Damage Resist": "14%", + "Durability": "300", + "Impact Resist": "10%", + "Item Set": "Plate Set", + "Mana Cost": "50%", + "Movement Speed": "-4%", + "Object ID": "3100004", + "Protection": "2", + "Sell": "53", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1c/Plate_Helm.png/revision/latest?cb=20190407081145", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Plate Helm" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus", + "enchantment": "Warmaster" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Warmaster", + "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "30%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "30%", + "Harmattan" + ], + [ + "Howard Brock, Blacksmith", + "1 - 4", + "17.6%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Plate Helm is a type of Armor in Outward." + }, + { + "name": "Plate Set", + "url": "https://outward.fandom.com/wiki/Plate_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "700", + "Damage Resist": "48%", + "Durability": "900", + "Hot Weather Def.": "-10", + "Impact Resist": "37%", + "Mana Cost": "50%", + "Movement Speed": "-14%", + "Object ID": "3100003 (Chest)3100005 (Legs)3100004 (Head)", + "Protection": "7", + "Sell": "227", + "Slot": "Set", + "Stamina Cost": "14%", + "Weight": "38.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/ba/Plate_set.png/revision/latest/scale-to-width-down/195?cb=20190426032433", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "3", + "column_6": "-10", + "column_7": "6%", + "column_8": "–", + "column_9": "-6%", + "durability": "300", + "name": "Plate Armor", + "resistances": "20%", + "weight": "18.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "–", + "column_9": "-4%", + "durability": "300", + "name": "Plate Boots", + "resistances": "14%", + "weight": "12.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "50%", + "column_9": "-4%", + "durability": "300", + "name": "Plate Helm", + "resistances": "14%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Plate Armor", + "20%", + "17%", + "3", + "-10", + "6%", + "–", + "-6%", + "300", + "18.0", + "Body Armor" + ], + [ + "", + "Plate Boots", + "14%", + "10%", + "2", + "–", + "4%", + "–", + "-4%", + "300", + "12.0", + "Boots" + ], + [ + "", + "Plate Helm", + "14%", + "10%", + "2", + "–", + "4%", + "50%", + "-4%", + "300", + "8.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "17%", + "column_5": "3", + "column_6": "-10", + "column_7": "6%", + "column_8": "–", + "column_9": "-6%", + "durability": "300", + "name": "Plate Armor", + "resistances": "20%", + "weight": "18.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "–", + "column_9": "-4%", + "durability": "300", + "name": "Plate Boots", + "resistances": "14%", + "weight": "12.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "2", + "column_6": "–", + "column_7": "4%", + "column_8": "50%", + "column_9": "-4%", + "durability": "300", + "name": "Plate Helm", + "resistances": "14%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Plate Armor", + "20%", + "17%", + "3", + "-10", + "6%", + "–", + "-6%", + "300", + "18.0", + "Body Armor" + ], + [ + "", + "Plate Boots", + "14%", + "10%", + "2", + "–", + "4%", + "–", + "-4%", + "300", + "12.0", + "Boots" + ], + [ + "", + "Plate Helm", + "14%", + "10%", + "2", + "–", + "4%", + "50%", + "-4%", + "300", + "8.0", + "Helmets" + ] + ] + } + ], + "description": "Plate Set is a Set in Outward." + }, + { + "name": "Poison Arrow", + "url": "https://outward.fandom.com/wiki/Poison_Arrow", + "categories": [ + "DLC: The Three Brothers", + "Arrow", + "Ammunition", + "Items" + ], + "infobox": { + "Buy": "3", + "Class": "Arrow", + "DLC": "The Three Brothers", + "Effects": "+5 Decay damageInflicts Poisoned", + "Object ID": "5200003", + "Sell": "1", + "Type": "Ammunition", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a7/Poison_Arrow.png/revision/latest/scale-to-width-down/83?cb=20201220075224", + "effects": [ + "+5 Decay damage", + "Inflicts Poisoned (40% buildup)" + ], + "effect_links": [ + "/wiki/Poisoned", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Poison Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Poison Arrow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Arrowhead Kit Wood Grilled Crabeye Seed", + "result": "5x Poison Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "5x Poison Arrow", + "Arrowhead Kit Wood Grilled Crabeye Seed", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "15", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "15 - 30", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Loud-Hammer", + "15", + "100%", + "Cierzo" + ], + [ + "Luc Salaberry, Alchemist", + "15 - 30", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "3", + "source": "Adventurer's Corpse" + }, + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "2 - 9", + "source": "Supply Cache" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "3", + "19.9%", + "Caldera" + ], + [ + "Supply Cache", + "2 - 9", + "19.9%", + "Caldera" + ] + ] + } + ], + "description": "Poison Arrow is an Item in Outward." + }, + { + "name": "Poison Rag", + "url": "https://outward.fandom.com/wiki/Poison_Rag", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "15", + "Effects": "Poison Imbue", + "Object ID": "4400020", + "Perish Time": "∞", + "Sell": "4", + "Type": "Imbues", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6b/Poison_Rag.png/revision/latest/scale-to-width-down/83?cb=20190417061358", + "effects": [ + "Player receives Poison Imbue", + "Weapon inflicts Poisoned (40% buildup)" + ], + "effect_links": [ + "/wiki/Poison_Imbue", + "/wiki/Poisoned" + ], + "recipes": [ + { + "result": "Poison Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Grilled Crabeye Seed" + ], + "station": "None", + "source_page": "Poison Rag" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "90 seconds", + "effects": "Weapon inflicts Poisoned (40% buildup)", + "name": "Poison Imbue" + } + ], + "raw_rows": [ + [ + "", + "Poison Imbue", + "90 seconds", + "Weapon inflicts Poisoned (40% buildup)" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Linen Cloth Grilled Crabeye Seed", + "result": "1x Poison Rag", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Poison Rag", + "Linen Cloth Grilled Crabeye Seed", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Ogoi, Kazite Assassin" + }, + { + "chance": "39.4%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 9", + "source": "Pholiota/Low Stock" + }, + { + "chance": "35.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "34.4%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "28.4%", + "locations": "Berg", + "quantity": "1 - 12", + "source": "Shopkeeper Pleel" + }, + { + "chance": "27.1%", + "locations": "Cierzo", + "quantity": "1 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "27.1%", + "locations": "Berg", + "quantity": "1 - 4", + "source": "Vay the Alchemist" + }, + { + "chance": "13.3%", + "locations": "Levant", + "quantity": "1 - 3", + "source": "Shopkeeper Suul" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Ogoi, Kazite Assassin", + "1", + "100%", + "Berg" + ], + [ + "Pholiota/Low Stock", + "1 - 9", + "39.4%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Felix Jimson, Shopkeeper", + "2 - 20", + "35.3%", + "Harmattan" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "34.4%", + "New Sirocco" + ], + [ + "Shopkeeper Pleel", + "1 - 12", + "28.4%", + "Berg" + ], + [ + "Helmi the Alchemist", + "1 - 4", + "27.1%", + "Cierzo" + ], + [ + "Vay the Alchemist", + "1 - 4", + "27.1%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1 - 3", + "13.3%", + "Levant" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "40%", + "quantity": "1", + "source": "Troglodyte Grenadier" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Greater Grotesque" + }, + { + "chance": "28.4%", + "quantity": "1 - 3", + "source": "Grotesque" + } + ], + "raw_rows": [ + [ + "Troglodyte Grenadier", + "1", + "40%" + ], + [ + "Greater Grotesque", + "1 - 3", + "28.4%" + ], + [ + "Grotesque", + "1 - 3", + "28.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.1%", + "locations": "Under Island", + "quantity": "2", + "source": "Trog Chest" + }, + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "2", + "22.1%", + "Under Island" + ], + [ + "Junk Pile", + "1 - 4", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 4", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ] + ] + } + ], + "description": "Poison Rag is a Consumable item in Outward, which grants an Imbue." + }, + { + "name": "Poison Varnish", + "url": "https://outward.fandom.com/wiki/Poison_Varnish", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "40", + "Effects": "Greater Poison Imbue", + "Object ID": "4400021", + "Perish Time": "∞", + "Sell": "12", + "Type": "Imbues", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fe/Poison_Varnish.png/revision/latest?cb=20190416165811", + "effects": [ + "Player receives Greater Poison Imbue", + "Weapon inflicts Extreme Poison (40% buildup)" + ], + "effect_links": [ + "/wiki/Greater_Poison_Imbue" + ], + "recipes": [ + { + "result": "Poison Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Occult Remains", + "Miasmapod", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Poison Varnish" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "180 seconds", + "effects": "Weapon inflicts Extreme Poison (40% buildup)", + "name": "Greater Poison Imbue" + } + ], + "raw_rows": [ + [ + "", + "Greater Poison Imbue", + "180 seconds", + "Weapon inflicts Extreme Poison (40% buildup)" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberry Wine Occult Remains Miasmapod Grilled Crabeye Seed", + "result": "1x Poison Varnish", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Poison Varnish", + "Gaberry Wine Occult Remains Miasmapod Grilled Crabeye Seed", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Ogoi, Kazite Assassin" + }, + { + "chance": "44.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "34.4%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "27.1%", + "locations": "Cierzo", + "quantity": "1 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "27.1%", + "locations": "Berg", + "quantity": "1 - 4", + "source": "Vay the Alchemist" + }, + { + "chance": "25%", + "locations": "Monsoon", + "quantity": "1 - 3", + "source": "Shopkeeper Lyda" + }, + { + "chance": "13.3%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + } + ], + "raw_rows": [ + [ + "Ogoi, Kazite Assassin", + "1", + "100%", + "Berg" + ], + [ + "Pholiota/High Stock", + "3", + "44.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "34.4%", + "New Sirocco" + ], + [ + "Helmi the Alchemist", + "1 - 4", + "27.1%", + "Cierzo" + ], + [ + "Vay the Alchemist", + "1 - 4", + "27.1%", + "Berg" + ], + [ + "Shopkeeper Lyda", + "1 - 3", + "25%", + "Monsoon" + ], + [ + "Shopkeeper Suul", + "1", + "13.3%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "20%", + "quantity": "1", + "source": "Troglodyte Grenadier" + } + ], + "raw_rows": [ + [ + "Troglodyte Grenadier", + "1", + "20%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.5%", + "locations": "Under Island", + "quantity": "2 - 8", + "source": "Trog Chest" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1 - 2", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "2 - 8", + "11.5%", + "Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1 - 2", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1 - 2", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1 - 2", + "6.2%", + "Ruined Warehouse" + ] + ] + } + ], + "description": "Poison Varnish is a Consumable item in Outward, which grants an Imbue." + }, + { + "name": "Popped Maize", + "url": "https://outward.fandom.com/wiki/Popped_Maize", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "3", + "DLC": "The Three Brothers", + "Drink": "-3%", + "Effects": "Stamina Recovery 1", + "Hunger": "10%", + "Object ID": "4100780", + "Perish Time": "9 Days, 22 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/44/Popped_Maize.png/revision/latest/scale-to-width-down/83?cb=20201220075225", + "effects": [ + "Restores 10% Hunger", + "Raises Thirst by -3%", + "Player receives Stamina Recovery (level 1)" + ], + "recipes": [ + { + "result": "Popped Maize", + "result_count": "3x", + "ingredients": [ + "Maize" + ], + "station": "Campfire", + "source_page": "Popped Maize" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Maize", + "result": "3x Popped Maize", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "3x Popped Maize", + "Maize", + "Campfire" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Popped Maize is an Item in Outward." + }, + { + "name": "Porcelain Fists", + "url": "https://outward.fandom.com/wiki/Porcelain_Fists", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2000", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "36", + "Durability": "500", + "Effects": "SappedWeaken", + "Impact": "20", + "Object ID": "2160090", + "Sell": "600", + "Stamina Cost": "2.8", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2a/Porcelain_Fists.png/revision/latest/scale-to-width-down/83?cb=20200616185549", + "effects": [ + "Inflicts Sapped (22.5% buildup)", + "Inflicts Weaken (22.5% buildup)" + ], + "effect_links": [ + "/wiki/Sapped", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.8", + "damage": "36", + "description": "Four fast punches, right to left", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.64", + "damage": "46.8", + "description": "Forward-lunging left hook", + "impact": "26", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "46.8", + "description": "Left dodging, left uppercut", + "impact": "26", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "46.8", + "description": "Right dodging, right spinning hammer strike", + "impact": "26", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "36", + "20", + "2.8", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "46.8", + "26", + "3.64", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "46.8", + "26", + "3.36", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "46.8", + "26", + "3.36", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Giant Horror" + } + ], + "raw_rows": [ + [ + "Giant Horror", + "1", + "100%" + ] + ] + } + ], + "description": "Porcelain Fists is a type of Weapon in Outward." + }, + { + "name": "Possessed Potion", + "url": "https://outward.fandom.com/wiki/Possessed_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "15", + "Effects": "Possessed", + "Object ID": "4300120", + "Perish Time": "∞", + "Sell": "4", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5b/Possessed_Potion.png/revision/latest?cb=20190410154632", + "effects": [ + "Player receives Possessed", + "+20% Decay damage", + "+20% Decay resistance" + ], + "effect_links": [ + "/wiki/Possessed" + ], + "recipes": [ + { + "result": "Possessed Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Possessed Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "240 seconds", + "effects": "+20% Decay damage+20% Decay resistance", + "name": "Possessed" + } + ], + "raw_rows": [ + [ + "", + "Possessed", + "240 seconds", + "+20% Decay damage+20% Decay resistance" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Occult Remains", + "result": "3x Possessed Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Possessed Potion", + "Water Occult Remains", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "2 - 4", + "source": "Mathias" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Vay the Alchemist" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "31.7%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "3", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "3", + "100%", + "New Sirocco" + ], + [ + "Mathias", + "2 - 4", + "100%", + "Berg" + ], + [ + "Robyn Garnet, Alchemist", + "3", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "3", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "3", + "100%", + "Berg" + ], + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Laine the Alchemist", + "1 - 5", + "31.7%", + "Monsoon" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 20", + "16.3%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.1%", + "locations": "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.1%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "11.1%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "11.1%", + "locations": "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Hallowed Marsh, Reptilian Lair", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "11.1%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "11.1%", + "locations": "Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "11.1%", + "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco" + ], + [ + "Calygrey Chest", + "1 - 2", + "11.1%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "11.1%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "11.1%", + "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone" + ], + [ + "Corpse", + "1 - 2", + "11.1%", + "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Antique Plateau, Hallowed Marsh, Reptilian Lair" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "11.1%", + "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "11.1%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 2", + "11.1%", + "Voltaic Hatchery" + ] + ] + } + ], + "description": "Possessed Potion is a consumable item in Outward." + }, + { + "name": "Pot-au-Feu du Pirate", + "url": "https://outward.fandom.com/wiki/Pot-au-Feu_du_Pirate", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Mana Ratio Recovery 3Health Recovery 2", + "Hunger": "32.5%", + "Object ID": "4100260", + "Perish Time": "11 Days 21 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/ba/Pot-au-Feu_du_Pirate.png/revision/latest/scale-to-width-down/83?cb=20190410133943", + "effects": [ + "Restores 32.5% Hunger", + "Player receives Mana Ratio Recovery (level 3)", + "Player receives Health Recovery (level 2)" + ], + "recipes": [ + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Pot-au-Feu du Pirate" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Pot-au-Feu du Pirate" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Pot-au-Feu du Pirate" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Fish Fish Fish Salt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Pot-au-Feu du Pirate", + "Fish Fish Fish Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.8%", + "locations": "Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese, Montcalm Clan Fort, Vendavel Fortress", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "11.8%", + "locations": "Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "11.8%", + "locations": "Corrupted Tombs, Voltaic Hatchery", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "11.8%", + "Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "11.8%", + "Chersonese, Montcalm Clan Fort, Vendavel Fortress" + ], + [ + "Junk Pile", + "1", + "11.8%", + "Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "11.8%", + "Corrupted Tombs, Voltaic Hatchery" + ], + [ + "Soldier's Corpse", + "1", + "11.8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ], + [ + "Worker's Corpse", + "1", + "11.8%", + "Chersonese" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Pot-au-Feu du Pirate (fr. Pirate's Pot-au-Feu) is a dish in Outward." + }, + { + "name": "Pouding Chomeur", + "url": "https://outward.fandom.com/wiki/Pouding_Chomeur", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "20", + "DLC": "The Soroboreans", + "Effects": "Health Recovery 3Cold Weather Def UpCorruption Resistance 1", + "Hunger": "24%", + "Object ID": "4100730", + "Perish Time": "14 Days, 21 Hours", + "Sell": "6", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2b/Pouding_Chomeur.png/revision/latest/scale-to-width-down/83?cb=20200616185550", + "effects": [ + "Player receives Cold Weather Def Up", + "Player receives Health Recovery (level 3)", + "Player receives Corruption Resistance (level 1)" + ], + "recipes": [ + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Pouding Chomeur" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Flour Egg Sugar Boozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Pouding Chomeur", + "Flour Egg Sugar Boozu's Milk", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "35.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "3", + "35.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Bonded Beastmaster" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + }, + { + "chance": "1.6%", + "quantity": "1 - 2", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "1 - 2", + "1.7%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "1.7%" + ], + [ + "Blood Sorcerer", + "1 - 2", + "1.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.6%", + "locations": "Harmattan", + "quantity": "1 - 6", + "source": "Stash" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "2.8%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Stash", + "1 - 6", + "36.6%", + "Harmattan" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 2", + "2.8%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Pouding Chomeur is an Item in Outward." + }, + { + "name": "Poutine", + "url": "https://outward.fandom.com/wiki/Poutine", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Adds 25% FatigueCold Weather Def UpImpact UpPhysical Attack Up", + "Hunger": "32.5%", + "Object ID": "4100530", + "Perish Time": "14 Days 21 Hours", + "Sell": "8", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/14/Poutine.png/revision/latest?cb=20190907135427", + "effects": [ + "Restores 32.5% Hunger", + "Adds 25% Fatigue", + "Player receives Cold Weather Def Up", + "Player receives Impact Up", + "Player receives Physical Attack Up" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "46.5%", + "locations": "New Sirocco", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Antique Plateau", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Harmattan", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Levant", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Abrassar", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Caldera", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Chersonese", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Enmerkar Forest", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Hallowed Marsh", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "40.5%", + "locations": "Monsoon", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "32.8%", + "locations": "Berg", + "quantity": "2 - 40", + "source": "Soroborean Caravanner" + }, + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "2 - 40", + "46.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "2 - 40", + "45.5%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "2 - 40", + "45.5%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "2 - 40", + "45.5%", + "Levant" + ], + [ + "Soroborean Caravanner", + "2 - 40", + "41.7%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "2 - 40", + "41.7%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "2 - 40", + "41.7%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "2 - 40", + "41.7%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "2 - 40", + "41.7%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "2 - 40", + "40.5%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "2 - 40", + "32.8%", + "Berg" + ], + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Poutine is a food item in Outward." + }, + { + "name": "Power Coil", + "url": "https://outward.fandom.com/wiki/Power_Coil", + "categories": [ + "Ingredient", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "65", + "Object ID": "6200150", + "Sell": "20", + "Type": "Ingredient", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/41/Power_Coil.png/revision/latest?cb=20190329232400", + "recipes": [ + { + "result": "Coil Lantern", + "result_count": "1x", + "ingredients": [ + "Coil Lantern", + "Power Coil" + ], + "station": "None", + "source_page": "Power Coil" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Coil LanternPower Coil", + "result": "1x Coil Lantern", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Coil Lantern", + "Coil LanternPower Coil", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "3 - 4", + "source": "Engineer Orsten" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Engineer Orsten", + "3 - 4", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "44.5%", + "quantity": "4", + "source": "Concealed Knight: ???" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Guardian of the Compass" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Rusted Enforcer" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Sword Golem" + }, + { + "chance": "25%", + "quantity": "1 - 2", + "source": "Galvanic Golem" + }, + { + "chance": "25%", + "quantity": "1 - 2", + "source": "Liquid-Cooled Golem" + }, + { + "chance": "12.5%", + "quantity": "1", + "source": "Rusty Sword Golem" + } + ], + "raw_rows": [ + [ + "Concealed Knight: ???", + "4", + "44.5%" + ], + [ + "Guardian of the Compass", + "1", + "33.3%" + ], + [ + "Rusted Enforcer", + "1", + "33.3%" + ], + [ + "Sword Golem", + "1", + "33.3%" + ], + [ + "Galvanic Golem", + "1 - 2", + "25%" + ], + [ + "Liquid-Cooled Golem", + "1 - 2", + "25%" + ], + [ + "Rusty Sword Golem", + "1", + "12.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3.3%", + "locations": "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh", + "quantity": "1 - 3", + "source": "Supply Cache" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Supply Cache", + "1 - 3", + "3.3%", + "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Power Coil is an item in Outward." + }, + { + "name": "Prayer Claymore", + "url": "https://outward.fandom.com/wiki/Prayer_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "250", + "Class": "Swords", + "Damage": "32", + "Durability": "325", + "Impact": "33", + "Object ID": "2100000", + "Sell": "75", + "Stamina Cost": "6.6", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c9/Prayer_Claymore.png/revision/latest?cb=20190413074713", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Prayer Claymore" + }, + { + "result": "Virgin Greatsword", + "result_count": "1x", + "ingredients": [ + "Prayer Claymore", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Prayer Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.6", + "damage": "32", + "description": "Two slashing strikes, left to right", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "48", + "description": "Overhead downward-thrusting strike", + "impact": "49.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.26", + "damage": "40.48", + "description": "Spinning strike from the right", + "impact": "36.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.26", + "damage": "40.48", + "description": "Spinning strike from the left", + "impact": "36.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "32", + "33", + "6.6", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "48", + "49.5", + "8.58", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "40.48", + "36.3", + "7.26", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "40.48", + "36.3", + "7.26", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + }, + { + "ingredients": "Prayer ClaymorePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Greatsword", + "station": "None" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ], + [ + "1x Virgin Greatsword", + "Prayer ClaymorePalladium ScrapPalladium ScrapPure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +20% Lightning damage bonusWeapon now inflicts Doomed (35% buildup) and Elemental Vulnerability (25% buildup)", + "enchantment": "Redemption" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Redemption", + "Gain +20% Lightning damage bonusWeapon now inflicts Doomed (35% buildup) and Elemental Vulnerability (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Lieutenant" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Luke the Pearlescent" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Marsh Captain" + } + ], + "raw_rows": [ + [ + "Kazite Lieutenant", + "1", + "100%" + ], + [ + "Luke the Pearlescent", + "1", + "100%" + ], + [ + "Marsh Captain", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Prayer Claymore is a two-handed sword in Outward." + }, + { + "name": "Predator Bones", + "url": "https://outward.fandom.com/wiki/Predator_Bones", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "28", + "Object ID": "6600050", + "Sell": "8", + "Type": "Ingredient", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/75/Predator_Bones.png/revision/latest?cb=20190425094706", + "recipes": [ + { + "result": "Bouillon du Predateur", + "result_count": "3x", + "ingredients": [ + "Predator Bones", + "Predator Bones", + "Predator Bones", + "Water" + ], + "station": "Cooking Pot", + "source_page": "Predator Bones" + }, + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Ethereal Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Hackmanite", + "Ghost's Eye", + "Predator Bones" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fang Axe", + "result_count": "1x", + "ingredients": [ + "Iron Axe", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fang Club", + "result_count": "1x", + "ingredients": [ + "Iron Mace", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fang Greataxe", + "result_count": "1x", + "ingredients": [ + "Iron Greataxe", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fang Greatclub", + "result_count": "1x", + "ingredients": [ + "Iron Greathammer", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fang Greatsword", + "result_count": "1x", + "ingredients": [ + "Iron Claymore", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fang Halberd", + "result_count": "1x", + "ingredients": [ + "Iron Halberd", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fang Knuckles", + "result_count": "1x", + "ingredients": [ + "Iron Wristband", + "Iron Wristband", + "Iron Knuckles", + "Predator Bones" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fang Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fang Sword", + "result_count": "1x", + "ingredients": [ + "Iron Sword", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fang Trident", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Predator Bones", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Ice Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Chalcedony", + "Crystal Powder", + "Predator Bones" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Lightning Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Palladium Scrap", + "Calygrey Hairs", + "Predator Bones" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Predator Bones" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Predator Bones" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Predator BonesPredator BonesPredator BonesWater", + "result": "3x Bouillon du Predateur", + "station": "Cooking Pot" + }, + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentHackmaniteGhost's EyePredator Bones", + "result": "1x Ethereal Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Iron AxePredator BonesLinen Cloth", + "result": "1x Fang Axe", + "station": "None" + }, + { + "ingredients": "Iron MacePredator BonesLinen Cloth", + "result": "1x Fang Club", + "station": "None" + }, + { + "ingredients": "Iron GreataxePredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Greataxe", + "station": "None" + }, + { + "ingredients": "Iron GreathammerPredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Greatclub", + "station": "None" + }, + { + "ingredients": "Iron ClaymorePredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Greatsword", + "station": "None" + }, + { + "ingredients": "Iron HalberdPredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Halberd", + "station": "None" + }, + { + "ingredients": "Iron WristbandIron WristbandIron KnucklesPredator Bones", + "result": "1x Fang Knuckles", + "station": "None" + }, + { + "ingredients": "Round ShieldPredator BonesLinen Cloth", + "result": "1x Fang Shield", + "station": "None" + }, + { + "ingredients": "Iron SwordPredator BonesLinen Cloth", + "result": "1x Fang Sword", + "station": "None" + }, + { + "ingredients": "Iron SpearPredator BonesPredator BonesLinen Cloth", + "result": "1x Fang Trident", + "station": "None" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentChalcedonyCrystal PowderPredator Bones", + "result": "1x Ice Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "result": "1x Lightning Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Bouillon du Predateur", + "Predator BonesPredator BonesPredator BonesWater", + "Cooking Pot" + ], + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Ethereal Totemic Lodge", + "Advanced TentHackmaniteGhost's EyePredator Bones", + "None" + ], + [ + "1x Fang Axe", + "Iron AxePredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Club", + "Iron MacePredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Greataxe", + "Iron GreataxePredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Greatclub", + "Iron GreathammerPredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Greatsword", + "Iron ClaymorePredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Halberd", + "Iron HalberdPredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Knuckles", + "Iron WristbandIron WristbandIron KnucklesPredator Bones", + "None" + ], + [ + "1x Fang Shield", + "Round ShieldPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Sword", + "Iron SwordPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fang Trident", + "Iron SpearPredator BonesPredator BonesLinen Cloth", + "None" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Ice Totemic Lodge", + "Advanced TentChalcedonyCrystal PowderPredator Bones", + "None" + ], + [ + "1x Lightning Totemic Lodge", + "Advanced TentPalladium ScrapCalygrey HairsPredator Bones", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "3 - 5", + "source": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "3 - 5", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Accursed Wendigo" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Bloody Beast" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Glacial Tuanosaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Illuminator Horror" + }, + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Manticore" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Razorhorn Stekosaur" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Royal Manticore" + }, + { + "chance": "100%", + "quantity": "1 - 3", + "source": "Scarlet Emissary" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Stekosaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "The First Cannibal" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Tuanosaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Vile Illuminator" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Wendigo" + }, + { + "chance": "53%", + "quantity": "1 - 3", + "source": "Sandrose Horror" + }, + { + "chance": "53%", + "quantity": "1 - 3", + "source": "Shell Horror" + } + ], + "raw_rows": [ + [ + "Accursed Wendigo", + "1", + "100%" + ], + [ + "Bloody Beast", + "1", + "100%" + ], + [ + "Glacial Tuanosaur", + "2 - 3", + "100%" + ], + [ + "Illuminator Horror", + "1", + "100%" + ], + [ + "Manticore", + "1 - 2", + "100%" + ], + [ + "Razorhorn Stekosaur", + "1", + "100%" + ], + [ + "Royal Manticore", + "5", + "100%" + ], + [ + "Scarlet Emissary", + "1 - 3", + "100%" + ], + [ + "Stekosaur", + "1", + "100%" + ], + [ + "The First Cannibal", + "1", + "100%" + ], + [ + "Tuanosaur", + "2 - 3", + "100%" + ], + [ + "Vile Illuminator", + "1", + "100%" + ], + [ + "Wendigo", + "1", + "100%" + ], + [ + "Sandrose Horror", + "1 - 3", + "53%" + ], + [ + "Shell Horror", + "1 - 3", + "53%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.9%", + "locations": "Under Island", + "quantity": "3", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Compromised Mana Transfer Station, Under Island", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters", + "quantity": "1 - 4", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "3", + "16.9%", + "Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Compromised Mana Transfer Station, Under Island" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Abandoned Living Quarters" + ] + ] + } + ], + "description": "Predator Bones is a crafting item in Outward." + }, + { + "name": "Preservation Backpack", + "url": "https://outward.fandom.com/wiki/Preservation_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "200", + "Capacity": "75", + "Class": "Backpacks", + "Durability": "∞", + "Inventory Protection": "2", + "Object ID": "5300160", + "Preservation Amount": "75%", + "Sell": "60", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8a/Preservation_Backpack.png/revision/latest?cb=20190411000013", + "effects": [ + "Slows down the decay of perishable items by 75%", + "Provides 2 Protection to the Durability of items in the backpack when hit by enemies" + ], + "description": "Preservation Backpack is a backpack item in Outward." + }, + { + "name": "Pressure Plate Trap", + "url": "https://outward.fandom.com/wiki/Pressure_Plate_Trap", + "categories": [ + "Deployable", + "Trap", + "Items" + ], + "infobox": { + "Buy": "10", + "Class": "Deployable", + "Object ID": "5020020", + "Sell": "3", + "Type": "Trap", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/89/Pressure_Plate_Trap.png/revision/latest/scale-to-width-down/63?cb=20200316064744", + "tables": [ + { + "title": "Arming", + "headers": [ + "Trap", + "Armed With", + "Effects" + ], + "rows": [ + { + "armed_with": "Ghost's EyeOccult RemainsShark CartilageSpiritual Varnish", + "effects": "60 Ethereal damage100 ImpactInflicts HauntedWith Pressure Plate Expertise:Add 30 Ethereal damage (total 90 )", + "trap": "Ethereal Trap" + }, + { + "armed_with": "Firefly Powder", + "effects": "60 Lightning damage200 ImpactWith Pressure Plate Expertise:+ 30 Lightning damage (total 90 )", + "trap": "Flash Trap" + }, + { + "armed_with": "Ice VarnishBlue SandCold Stone", + "effects": "80 Frost damage100 ImpactInflicts Slow DownWith Pressure Plate Expertise:+ 40 Frost damage (total 120 )", + "trap": "Frost Trap" + }, + { + "armed_with": "Explorer LanternFire VarnishFire StoneObsidian Shard", + "effects": "100 Fire damage120 ImpactInflicts BurningWith Pressure Plate Expertise:+ 30 Physical damage+ 30 Impact (total 150 )", + "trap": "Improved Incendiary Trap" + }, + { + "armed_with": "Dark VarnishPoison VarnishPhytosaur Horn", + "effects": "80 Decay damageInflicts Extreme PoisonWith Pressure Plate Expertise:+ 30 Physical damage+ 30 Impact", + "trap": "Improved Toxic Trap" + }, + { + "armed_with": "Charge – IncendiaryOld Lantern", + "effects": "85 Fire damage75 ImpactInflicts BurningWith Pressure Plate Expertise: + 30 Physical damage+ 30 Impact (total 105 )", + "trap": "Incendiary Trap" + }, + { + "armed_with": "Charge – Nerve Gas", + "effects": "Creates an area-of-effect cloud, which inflicts the effects below every 0.5 seconds for 4 seconds (total 8 times):12.5 Ethereal damage (total 100 )1 Impact (total 8 )Inflicts PainWith Pressure Plate Expertise:Inflicts Confusion", + "trap": "Nerve Gas Trap" + }, + { + "armed_with": "Arcane Dampener", + "effects": "90 Lightning damageInflicts SappedWith Pressure Plate Expertise:Adds 45 Lightning damage (total 135 damage)", + "trap": "Sapped Trap" + }, + { + "armed_with": "Bolt VarnishGold-Lich Mechanism", + "effects": "90 Lightning damage80 ImpactInflicts ConfusionWith Pressure Plate Expertise:+ 45 Lightning damage (total 135 )", + "trap": "Shock Trap" + }, + { + "armed_with": "Charge – ToxicMiasmapodBoiled Miasmapod", + "effects": "80 Decay damageInflicts PoisonedWith Pressure Plate Expertise:+ 30 Physical damage+ 30 Impact", + "trap": "Toxic Trap" + } + ], + "raw_rows": [ + [ + "Ethereal Trap", + "Ghost's EyeOccult RemainsShark CartilageSpiritual Varnish", + "60 Ethereal damage100 ImpactInflicts HauntedWith Pressure Plate Expertise:Add 30 Ethereal damage (total 90 )" + ], + [ + "Flash Trap", + "Firefly Powder", + "60 Lightning damage200 ImpactWith Pressure Plate Expertise:+ 30 Lightning damage (total 90 )" + ], + [ + "Frost Trap", + "Ice VarnishBlue SandCold Stone", + "80 Frost damage100 ImpactInflicts Slow DownWith Pressure Plate Expertise:+ 40 Frost damage (total 120 )" + ], + [ + "Improved Incendiary Trap", + "Explorer LanternFire VarnishFire StoneObsidian Shard", + "100 Fire damage120 ImpactInflicts BurningWith Pressure Plate Expertise:+ 30 Physical damage+ 30 Impact (total 150 )" + ], + [ + "Improved Toxic Trap", + "Dark VarnishPoison VarnishPhytosaur Horn", + "80 Decay damageInflicts Extreme PoisonWith Pressure Plate Expertise:+ 30 Physical damage+ 30 Impact" + ], + [ + "Incendiary Trap", + "Charge – IncendiaryOld Lantern", + "85 Fire damage75 ImpactInflicts BurningWith Pressure Plate Expertise: + 30 Physical damage+ 30 Impact (total 105 )" + ], + [ + "Nerve Gas Trap", + "Charge – Nerve Gas", + "Creates an area-of-effect cloud, which inflicts the effects below every 0.5 seconds for 4 seconds (total 8 times):12.5 Ethereal damage (total 100 )1 Impact (total 8 )Inflicts PainWith Pressure Plate Expertise:Inflicts Confusion" + ], + [ + "Sapped Trap", + "Arcane Dampener", + "90 Lightning damageInflicts SappedWith Pressure Plate Expertise:Adds 45 Lightning damage (total 135 damage)" + ], + [ + "Shock Trap", + "Bolt VarnishGold-Lich Mechanism", + "90 Lightning damage80 ImpactInflicts ConfusionWith Pressure Plate Expertise:+ 45 Lightning damage (total 135 )" + ], + [ + "Toxic Trap", + "Charge – ToxicMiasmapodBoiled Miasmapod", + "80 Decay damageInflicts PoisonedWith Pressure Plate Expertise:+ 30 Physical damage+ 30 Impact" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "15", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 8", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Patrick Arago, General Store" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "2", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "1 - 12", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "15", + "100%", + "Levant" + ], + [ + "Lawrence Dakers, Hunter", + "3 - 8", + "100%", + "Harmattan" + ], + [ + "Luc Salaberry, Alchemist", + "6", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "3 - 5", + "100%", + "New Sirocco" + ], + [ + "Howard Brock, Blacksmith", + "2", + "17.6%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "1 - 12", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "19.9%", + "locations": "Caldera", + "quantity": "1 - 6", + "source": "Supply Cache" + }, + { + "chance": "15.6%", + "locations": "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh", + "quantity": "1 - 6", + "source": "Supply Cache" + }, + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Hive Prison, Scarlet Sanctuary", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Enmerkar Forest", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide", + "quantity": "1 - 2", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 6", + "19.9%", + "Caldera" + ], + [ + "Supply Cache", + "1 - 6", + "19.9%", + "Caldera" + ], + [ + "Supply Cache", + "1 - 6", + "15.6%", + "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1 - 2", + "10%", + "Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "10%", + "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress" + ], + [ + "Corpse", + "1 - 2", + "10%", + "Hive Prison, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1 - 2", + "10%", + "Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1 - 2", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "10%", + "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide" + ] + ] + } + ], + "description": "The Pressure Plate Trap is an advanced type of trap trigger in Outward. The Pressure Plate trap cannot be crafted, unlike the Tripwire Trap." + }, + { + "name": "Primitive Club", + "url": "https://outward.fandom.com/wiki/Primitive_Club", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "16", + "Class": "Maces", + "Damage": "16", + "Durability": "150", + "Impact": "20", + "Object ID": "2020130", + "Sell": "0", + "Stamina Cost": "4", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/14/Primitive_Club.png/revision/latest?cb=20190410224908", + "recipes": [ + { + "result": "Primitive Club", + "result_count": "1x", + "ingredients": [ + "Wood", + "Wood" + ], + "station": "None", + "source_page": "Primitive Club" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4", + "damage": "16", + "description": "Two wide-sweeping strikes, right to left", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.2", + "damage": "20.8", + "description": "Slow, overhead strike with high impact", + "impact": "50", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.2", + "damage": "20.8", + "description": "Fast, forward-thrusting strike", + "impact": "26", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.2", + "damage": "20.8", + "description": "Fast, forward-thrusting strike", + "impact": "26", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "16", + "20", + "4", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "20.8", + "50", + "5.2", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "20.8", + "26", + "5.2", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.8", + "26", + "5.2", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Wood Wood", + "result": "1x Primitive Club", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Primitive Club", + "Wood Wood", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Primitive Club is a one-handed mace in Outward." + }, + { + "name": "Primitive Satchel", + "url": "https://outward.fandom.com/wiki/Primitive_Satchel", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "30", + "Capacity": "25", + "Class": "Backpacks", + "Durability": "∞", + "Object ID": "5300120", + "Sell": "9", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/38/Primitive_Satchel.png/revision/latest?cb=20190410235838", + "recipes": [ + { + "result": "Primitive Satchel", + "result_count": "1x", + "ingredients": [ + "Hide", + "Hide", + "Linen Cloth" + ], + "station": "None", + "source_page": "Primitive Satchel" + }, + { + "result": "Hide", + "result_count": "2x", + "ingredients": [ + "Primitive Satchel" + ], + "station": "Decrafting", + "source_page": "Primitive Satchel" + }, + { + "result": "Scaled Satchel", + "result_count": "1x", + "ingredients": [ + "Primitive Satchel", + "Scaled Leather", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Primitive Satchel" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Hide Hide Linen Cloth", + "result": "1x Primitive Satchel", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Primitive Satchel", + "Hide Hide Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Primitive Satchel", + "result": "2x Hide", + "station": "Decrafting" + }, + { + "ingredients": "Primitive SatchelScaled LeatherScaled LeatherScaled Leather", + "result": "1x Scaled Satchel", + "station": "None" + } + ], + "raw_rows": [ + [ + "2x Hide", + "Primitive Satchel", + "Decrafting" + ], + [ + "1x Scaled Satchel", + "Primitive SatchelScaled LeatherScaled LeatherScaled Leather", + "None" + ] + ] + } + ], + "description": "Primitive Satchel is one the types of backpacks in Outward. It is one of the easiest backpacks to find or craft, and comes with an accordingly small carry capacity of 25.0 weight." + }, + { + "name": "Prospector Backpack", + "url": "https://outward.fandom.com/wiki/Prospector_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "100", + "Capacity": "75", + "Class": "Backpacks", + "Durability": "∞", + "Effects": "Overhead Lantern Slot", + "Inventory Protection": "2", + "Object ID": "5300040", + "Preservation Amount": "4%", + "Sell": "30", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/60/Prospector_Backpack.png/revision/latest?cb=20190410235935", + "effects": [ + "Slows down the decay of perishable items by 4%.", + "Provides 2 Protection to the Durability of items in the backpack when hit by enemies" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "2", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "2", + "source": "Shopkeeper Suul" + }, + { + "chance": "57.8%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "Shopkeeper Pleel", + "2", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "2", + "100%", + "Levant" + ], + [ + "David Parks, Craftsman", + "1 - 3", + "57.8%", + "Harmattan" + ] + ] + } + ], + "description": "Prospector Backpack is a type of backpack in Outward. It has a maximum capacity of 75.0 weight, and allows players to wear a lantern, which hangs overhead instead of behind the player." + }, + { + "name": "Pungent Paste", + "url": "https://outward.fandom.com/wiki/Pungent_Paste", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Restores 20 Burnt HealthRestores 20 Burnt StaminaRestores 70 StaminaCures Infection", + "Hunger": "12.5%", + "Object ID": "4100190", + "Perish Time": "29 Days 18 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5f/Pungent_Paste.png/revision/latest/scale-to-width-down/83?cb=20190410134125", + "effects": [ + "Restores 12.5% Hunger", + "Restores 20 Burnt Health", + "Restores 70 Stamina and 20 Burnt Stamina", + "Removes Infection" + ], + "recipes": [ + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Pungent Paste" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Pungent Paste" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Pungent Paste" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Egg Ochre Spice Beetle Fish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Pungent Paste", + "Egg Ochre Spice Beetle Fish", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "4 - 6", + "source": "Pholiota/High Stock" + }, + { + "chance": "23.2%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 9", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "4 - 6", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "1 - 9", + "23.2%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.5%", + "locations": "Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "1 - 4", + "11.5%", + "Under Island" + ], + [ + "Adventurer's Corpse", + "1", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ] + ] + } + ], + "description": "Pungent Paste is a dish in Outward." + }, + { + "name": "Pure Chitin", + "url": "https://outward.fandom.com/wiki/Pure_Chitin", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "100", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6600122", + "Sell": "30", + "Weight": "0.4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f7/Pure_Chitin.png/revision/latest/scale-to-width-down/83?cb=20200616185557", + "recipes": [ + { + "result": "Horror Armor", + "result_count": "1x", + "ingredients": [ + "Halfplate Armor", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Pure Chitin" + }, + { + "result": "Horror Greaves", + "result_count": "1x", + "ingredients": [ + "Halfplate Boots", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Pure Chitin" + }, + { + "result": "Horror Helm", + "result_count": "1x", + "ingredients": [ + "Halfplate Helm", + "Pure Chitin", + "Horror Chitin", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Pure Chitin" + }, + { + "result": "Virgin Axe", + "result_count": "1x", + "ingredients": [ + "Gold Hatchet", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Pure Chitin" + }, + { + "result": "Virgin Greataxe", + "result_count": "1x", + "ingredients": [ + "Gold Greataxe", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Pure Chitin" + }, + { + "result": "Virgin Greatmace", + "result_count": "1x", + "ingredients": [ + "Brutal Greatmace", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Pure Chitin" + }, + { + "result": "Virgin Greatsword", + "result_count": "1x", + "ingredients": [ + "Prayer Claymore", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Pure Chitin" + }, + { + "result": "Virgin Halberd", + "result_count": "1x", + "ingredients": [ + "Gold Guisarme", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Pure Chitin" + }, + { + "result": "Virgin Mace", + "result_count": "1x", + "ingredients": [ + "Gold Club", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Pure Chitin" + }, + { + "result": "Virgin Spear", + "result_count": "1x", + "ingredients": [ + "Gold Harpoon", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Pure Chitin" + }, + { + "result": "Virgin Sword", + "result_count": "1x", + "ingredients": [ + "Gold Machete", + "Pure Chitin", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Pure Chitin" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Halfplate ArmorPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Armor", + "station": "None" + }, + { + "ingredients": "Halfplate BootsPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Greaves", + "station": "None" + }, + { + "ingredients": "Halfplate HelmPure ChitinHorror ChitinPalladium Scrap", + "result": "1x Horror Helm", + "station": "None" + }, + { + "ingredients": "Gold HatchetPalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Axe", + "station": "None" + }, + { + "ingredients": "Gold GreataxePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Greataxe", + "station": "None" + }, + { + "ingredients": "Brutal GreatmacePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Greatmace", + "station": "None" + }, + { + "ingredients": "Prayer ClaymorePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Greatsword", + "station": "None" + }, + { + "ingredients": "Gold GuisarmePalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Halberd", + "station": "None" + }, + { + "ingredients": "Gold ClubPalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Mace", + "station": "None" + }, + { + "ingredients": "Gold HarpoonPalladium ScrapPalladium ScrapPure Chitin", + "result": "1x Virgin Spear", + "station": "None" + }, + { + "ingredients": "Gold MachetePure ChitinPalladium ScrapPalladium Scrap", + "result": "1x Virgin Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Armor", + "Halfplate ArmorPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Horror Greaves", + "Halfplate BootsPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Horror Helm", + "Halfplate HelmPure ChitinHorror ChitinPalladium Scrap", + "None" + ], + [ + "1x Virgin Axe", + "Gold HatchetPalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Greataxe", + "Gold GreataxePalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Greatmace", + "Brutal GreatmacePalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Greatsword", + "Prayer ClaymorePalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Halberd", + "Gold GuisarmePalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Mace", + "Gold ClubPalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Spear", + "Gold HarpoonPalladium ScrapPalladium ScrapPure Chitin", + "None" + ], + [ + "1x Virgin Sword", + "Gold MachetePure ChitinPalladium ScrapPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Pure Illuminator" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Sublime Shell" + } + ], + "raw_rows": [ + [ + "Pure Illuminator", + "1", + "100%" + ], + [ + "Sublime Shell", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "36%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ark of the Exiled", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "2.8%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1 - 2", + "100%", + "Antique Plateau" + ], + [ + "Chest", + "1 - 4", + "36%", + "Forgotten Research Laboratory" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "1 - 2", + "2.8%", + "Ark of the Exiled" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "2.8%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "1 - 2", + "2.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "2.8%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Pure Chitin is an Item in Outward." + }, + { + "name": "Purifying Quartz", + "url": "https://outward.fandom.com/wiki/Purifying_Quartz", + "categories": [ + "DLC: The Soroboreans", + "Items" + ], + "infobox": { + "Buy": "30", + "DLC": "The Soroboreans", + "Object ID": "6000170", + "Sell": "9", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/19/Purifying_Quartz.png/revision/latest/scale-to-width-down/83?cb=20200616185558", + "recipes": [ + { + "result": "Apollo Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Fire", + "Monarch Incense" + ], + "station": "Alchemy Kit", + "source_page": "Purifying Quartz" + }, + { + "result": "Comet Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Decay", + "Cecropia Incense" + ], + "station": "Alchemy Kit", + "source_page": "Purifying Quartz" + }, + { + "result": "Innocence Potion", + "result_count": "3x", + "ingredients": [ + "Thick Oil", + "Purifying Quartz", + "Dark Stone", + "Boozu's Milk" + ], + "station": "Alchemy Kit", + "source_page": "Purifying Quartz" + }, + { + "result": "Luna Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Light", + "Admiral Incense" + ], + "station": "Alchemy Kit", + "source_page": "Purifying Quartz" + }, + { + "result": "Morpho Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Ice", + "Chrysalis Incense" + ], + "station": "Alchemy Kit", + "source_page": "Purifying Quartz" + }, + { + "result": "Sanctifier Potion", + "result_count": "3x", + "ingredients": [ + "Leyline Water", + "Purifying Quartz", + "Dreamer's Root", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Purifying Quartz" + }, + { + "result": "Sylphina Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Ether", + "Pale Beauty Incense" + ], + "station": "Alchemy Kit", + "source_page": "Purifying Quartz" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – FireMonarch Incense", + "result": "4x Apollo Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – DecayCecropia Incense", + "result": "4x Comet Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Thick OilPurifying QuartzDark StoneBoozu's Milk", + "result": "3x Innocence Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – LightAdmiral Incense", + "result": "4x Luna Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – IceChrysalis Incense", + "result": "4x Morpho Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Leyline WaterPurifying QuartzDreamer's RootOccult Remains", + "result": "3x Sanctifier Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – EtherPale Beauty Incense", + "result": "4x Sylphina Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Apollo Incense", + "Purifying QuartzTourmalineElemental Particle – FireMonarch Incense", + "Alchemy Kit" + ], + [ + "4x Comet Incense", + "Purifying QuartzTourmalineElemental Particle – DecayCecropia Incense", + "Alchemy Kit" + ], + [ + "3x Innocence Potion", + "Thick OilPurifying QuartzDark StoneBoozu's Milk", + "Alchemy Kit" + ], + [ + "4x Luna Incense", + "Purifying QuartzTourmalineElemental Particle – LightAdmiral Incense", + "Alchemy Kit" + ], + [ + "4x Morpho Incense", + "Purifying QuartzTourmalineElemental Particle – IceChrysalis Incense", + "Alchemy Kit" + ], + [ + "3x Sanctifier Potion", + "Leyline WaterPurifying QuartzDreamer's RootOccult Remains", + "Alchemy Kit" + ], + [ + "4x Sylphina Incense", + "Purifying QuartzTourmalineElemental Particle – EtherPale Beauty Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "5", + "source": "Quartz Elemental" + }, + { + "chance": "42.9%", + "quantity": "1", + "source": "Liquid-Cooled Golem" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Galvanic Golem" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Arcane Elemental (Decay)" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Arcane Elemental (Ethereal)" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Arcane Elemental (Fire)" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Arcane Elemental (Frost)" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Arcane Elemental (Lightning)" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Chromatic Arcane Elemental" + } + ], + "raw_rows": [ + [ + "Quartz Elemental", + "5", + "100%" + ], + [ + "Liquid-Cooled Golem", + "1", + "42.9%" + ], + [ + "Galvanic Golem", + "1", + "33.3%" + ], + [ + "Arcane Elemental (Decay)", + "1", + "10%" + ], + [ + "Arcane Elemental (Ethereal)", + "1", + "10%" + ], + [ + "Arcane Elemental (Fire)", + "1", + "10%" + ], + [ + "Arcane Elemental (Frost)", + "1", + "10%" + ], + [ + "Arcane Elemental (Lightning)", + "1", + "10%" + ], + [ + "Chromatic Arcane Elemental", + "1", + "10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ark of the Exiled", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "2.8%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1 - 4", + "36%", + "Forgotten Research Laboratory" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "1 - 2", + "2.8%", + "Ark of the Exiled" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "2.8%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "1 - 2", + "2.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "2.8%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Purifying Quartz is an Item in Outward." + }, + { + "name": "Purity Potion", + "url": "https://outward.fandom.com/wiki/Purity_Potion", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "90", + "DLC": "The Soroboreans", + "Effects": "-50% Corruption", + "Object ID": "4300290", + "Perish Time": "∞", + "Sell": "27", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/54/Purity_Potion.png/revision/latest/scale-to-width-down/83?cb=20200616185559", + "effects": [ + "Reduces Corruption by 50%" + ], + "recipes": [ + { + "result": "Purity Potion", + "result_count": "3x", + "ingredients": [ + "Sanctifier Potion", + "Elemental Particle" + ], + "station": "Alchemy Kit", + "source_page": "Purity Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Sanctifier Potion Elemental Particle", + "result": "3x Purity Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Purity Potion", + "Sanctifier Potion Elemental Particle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "4 - 8", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "4 - 8", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Golden Matriarch" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Golden Matriarch", + "1", + "100%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "14.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "10.5%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "10.5%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "10.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "10.5%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 3", + "source": "Ornate Chest" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "10.5%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 3", + "10.5%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 3", + "10.5%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 3", + "10.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 3", + "10.5%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Purity Potion is an Item in Outward." + }, + { + "name": "Purpkin", + "url": "https://outward.fandom.com/wiki/Purpkin", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "3", + "DLC": "The Soroboreans", + "Effects": "Stamina Recovery 3+2% Corruption", + "Hunger": "12.5%", + "Object ID": "4000300", + "Perish Time": "8 Days", + "Sell": "1", + "Type": "Food", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/89/Purpkin.png/revision/latest/scale-to-width-down/83?cb=20200616185602", + "effects": [ + "Restores 12.5% Hunger", + "Adds 2% Corruption", + "Player receives Stamina Recovery (level 3)" + ], + "recipes": [ + { + "result": "Boiled Purpkin", + "result_count": "1x", + "ingredients": [ + "Purpkin" + ], + "station": "Campfire", + "source_page": "Purpkin" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Purpkin" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Purpkin" + }, + { + "result": "Purpkin Pie", + "result_count": "3x", + "ingredients": [ + "Purpkin", + "Flour", + "Veaber's Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Purpkin" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Purpkin" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purpkin", + "result": "1x Boiled Purpkin", + "station": "Campfire" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "PurpkinFlourVeaber's EggSugar", + "result": "3x Purpkin Pie", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Boiled Purpkin", + "Purpkin", + "Campfire" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Purpkin Pie", + "PurpkinFlourVeaber's EggSugar", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Purpkin (Gatherable)" + } + ], + "raw_rows": [ + [ + "Purpkin (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Pelletier Baker, Chef", + "3 - 5", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "16.4%", + "quantity": "1 - 4", + "source": "Bonded Beastmaster" + }, + { + "chance": "16.4%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "1 - 4", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "1 - 4", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "1 - 4", + "source": "Wolfgang Captain" + }, + { + "chance": "16.4%", + "quantity": "1 - 4", + "source": "Wolfgang Mercenary" + }, + { + "chance": "16.4%", + "quantity": "1 - 4", + "source": "Wolfgang Veteran" + }, + { + "chance": "15.1%", + "quantity": "1 - 4", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "1 - 4", + "16.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "16.4%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 4", + "16.4%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 4", + "16.4%" + ], + [ + "Wolfgang Captain", + "1 - 4", + "16.4%" + ], + [ + "Wolfgang Mercenary", + "1 - 4", + "16.4%" + ], + [ + "Wolfgang Veteran", + "1 - 4", + "16.4%" + ], + [ + "Blood Sorcerer", + "1 - 4", + "15.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.3%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "8.3%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "8.3%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "8.3%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "8.3%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1", + "8.3%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1", + "8.3%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1", + "8.3%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1", + "8.3%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1", + "8.3%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1", + "8.3%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Purpkin is an Item in Outward." + }, + { + "name": "Purpkin Pie", + "url": "https://outward.fandom.com/wiki/Purpkin_Pie", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "30", + "DLC": "The Soroboreans", + "Effects": "Speed UpEnergized+2% Corruption", + "Hunger": "22.5%", + "Object ID": "4100720", + "Perish Time": "10 Days, 23 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b5/Purpkin_Pie.png/revision/latest/scale-to-width-down/83?cb=20200616185600", + "effects": [ + "Restores 22.5% Hunger", + "Adds 2% Corruption", + "Player receives Speed Up", + "Player receives Energized" + ], + "effect_links": [ + "/wiki/Energized" + ], + "recipes": [ + { + "result": "Purpkin Pie", + "result_count": "3x", + "ingredients": [ + "Purpkin", + "Flour", + "Veaber's Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Purpkin Pie" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purpkin Flour Veaber's Egg Sugar", + "result": "3x Purpkin Pie", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Purpkin Pie", + "Purpkin Flour Veaber's Egg Sugar", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "35.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Pholiota/High Stock", + "3", + "35.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Bonded Beastmaster" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "1.7%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + }, + { + "chance": "1.6%", + "quantity": "1 - 2", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "1 - 2", + "1.7%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "1.7%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "1.7%" + ], + [ + "Blood Sorcerer", + "1 - 2", + "1.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36.6%", + "locations": "Harmattan", + "quantity": "1 - 6", + "source": "Stash" + }, + { + "chance": "5.6%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "5.6%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Stash", + "1 - 6", + "36.6%", + "Harmattan" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "5.6%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 2", + "5.6%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 2", + "5.6%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 2", + "5.6%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "5.6%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 2", + "5.6%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "5.6%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Purpkin Pie is an Item in Outward." + }, + { + "name": "Purple Dancer Clothes", + "url": "https://outward.fandom.com/wiki/Purple_Dancer_Clothes", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "175", + "Damage Resist": "3%", + "Durability": "180", + "Hot Weather Def.": "14", + "Impact Resist": "4%", + "Item Set": "Dancer Set", + "Object ID": "3000180", + "Sell": "58", + "Slot": "Chest", + "Stamina Cost": "-25%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ac/Purple_Dancer_Clothes.png/revision/latest?cb=20190415124848", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Purple Dancer Clothes" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Purple Dancer Clothes" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Purple Dancer Clothes" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Purple Dancer Clothes" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Purple Dancer Clothes" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Purple Dancer Clothes" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Purple Dancer Clothes" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Purple Dancer Clothes" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Purple Dancer Clothes" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Purple Dancer Clothes is a type of Armor in Outward." + }, + { + "name": "Purple Festive Attire", + "url": "https://outward.fandom.com/wiki/Purple_Festive_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "35", + "Damage Resist": "5%", + "Durability": "150", + "Hot Weather Def.": "10", + "Impact Resist": "3%", + "Item Set": "Festive Set", + "Object ID": "3000091", + "Sell": "11", + "Slot": "Chest", + "Stamina Cost": "-10%", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/98/Purple_Festive_Attire.png/revision/latest?cb=20190415125001", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Purple Festive Attire" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Purple Festive Attire" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Purple Festive Attire" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Purple Festive Attire" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Purple Festive Attire" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Purple Festive Attire" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Purple Festive Attire" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Purple Festive Attire" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Purple Festive Attire" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + }, + { + "chance": "14.2%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "14.2%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Purple Festive Attire is a type of Armor in Outward." + }, + { + "name": "Purple Festive Hat", + "url": "https://outward.fandom.com/wiki/Purple_Festive_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Damage Resist": "2%", + "Durability": "150", + "Hot Weather Def.": "6", + "Impact Resist": "2%", + "Item Set": "Festive Set", + "Object ID": "3000093", + "Sell": "7", + "Slot": "Head", + "Stamina Cost": "-5%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b2/Purple_Festive_Hat.png/revision/latest?cb=20190415075359", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Purple Festive Hat" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Purple Festive Hat" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Purple Festive Hat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ] + ] + } + ], + "description": "Purple Festive Hat is a type of Armor in Outward." + }, + { + "name": "Pypherfish", + "url": "https://outward.fandom.com/wiki/Pypherfish", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "9", + "DLC": "The Three Brothers", + "Effects": "Mana Ratio Recovery 1PoisonedIndigestion (50% chance)", + "Hunger": "12.5%", + "Object ID": "4000420", + "Perish Time": "4 Days", + "Sell": "3", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/41/Pypherfish.png/revision/latest/scale-to-width-down/83?cb=20201220075226", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Mana Ratio Recovery (level 1)", + "Player receives Poisoned", + "Player receives Indigestion (50% chance)" + ], + "effect_links": [ + "/wiki/Poisoned" + ], + "recipes": [ + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Pypherfish" + }, + { + "result": "Grilled Pypherfish", + "result_count": "1x", + "ingredients": [ + "Pypherfish" + ], + "station": "Campfire", + "source_page": "Pypherfish" + }, + { + "result": "Mana Belly Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Pypherfish", + "Funnel Beetle", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Pypherfish" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Pypherfish" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Pypherfish" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Pypherfish" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "Pypherfish", + "result": "1x Grilled Pypherfish", + "station": "Campfire" + }, + { + "ingredients": "WaterPypherfishFunnel BeetleHexa Stone", + "result": "1x Mana Belly Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "1x Grilled Pypherfish", + "Pypherfish", + "Campfire" + ], + [ + "1x Mana Belly Potion", + "WaterPypherfishFunnel BeetleHexa Stone", + "Alchemy Kit" + ], + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.3%", + "quantity": "1", + "source": "Fishing/Caldera" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Fishing/Caldera Pods" + } + ], + "raw_rows": [ + [ + "Fishing/Caldera", + "1", + "14.3%" + ], + [ + "Fishing/Caldera Pods", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "1 - 24", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "1 - 24", + "43.2%", + "New Sirocco" + ] + ] + } + ], + "description": "Pypherfish is an Item in Outward." + }, + { + "name": "Pyrite Greathammer", + "url": "https://outward.fandom.com/wiki/Pyrite_Greathammer", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1125", + "Class": "Maces", + "Damage": "30.75 10.25", + "Durability": "300", + "Effects": "Confusion", + "Impact": "71", + "Object ID": "2120060", + "Sell": "338", + "Stamina Cost": "7.4", + "Type": "Two-Handed", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2d/Pyrite_Greathammer.png/revision/latest?cb=20190412212456", + "effects": [ + "Inflicts Confusion (100% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Pyrite Greathammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.4", + "damage": "30.75 10.25", + "description": "Two slashing strikes, left to right", + "impact": "71", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.88", + "damage": "23.06 7.69", + "description": "Blunt strike with high impact", + "impact": "142", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.88", + "damage": "43.05 14.35", + "description": "Powerful overhead strike", + "impact": "99.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.88", + "damage": "43.05 14.35", + "description": "Forward-running uppercut strike", + "impact": "99.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30.75 10.25", + "71", + "7.4", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "23.06 7.69", + "142", + "8.88", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "43.05 14.35", + "99.4", + "8.88", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "43.05 14.35", + "99.4", + "8.88", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.3%", + "quantity": "1", + "source": "Obsidian Elemental" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Obsidian Elemental (Caldera)" + } + ], + "raw_rows": [ + [ + "Obsidian Elemental", + "1", + "14.3%" + ], + [ + "Obsidian Elemental (Caldera)", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.2%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "4.2%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Pyrite Greathammer is a two-handed mace in Outward." + }, + { + "name": "Quarterstaff", + "url": "https://outward.fandom.com/wiki/Quarterstaff", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.2", + "Buy": "20", + "Class": "Polearms", + "Damage": "17", + "Durability": "150", + "Impact": "14", + "Object ID": "2130030", + "Sell": "0", + "Stamina Cost": "4", + "Type": "Staff", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/85/Quarterstaff.png/revision/latest?cb=20190412214318", + "recipes": [ + { + "result": "Quarterstaff", + "result_count": "1x", + "ingredients": [ + "Wood", + "Wood", + "Linen Cloth" + ], + "station": "None", + "source_page": "Quarterstaff" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4", + "damage": "17", + "description": "Two wide-sweeping strikes, left to right", + "impact": "14", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5", + "damage": "22.1", + "description": "Forward-thrusting strike", + "impact": "18.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5", + "damage": "22.1", + "description": "Wide-sweeping strike from left", + "impact": "18.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "28.9", + "description": "Slow but powerful sweeping strike", + "impact": "23.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17", + "14", + "4", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "22.1", + "18.2", + "5", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "22.1", + "18.2", + "5", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "28.9", + "23.8", + "7", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Wood Wood Linen Cloth", + "result": "1x Quarterstaff", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Quarterstaff", + "Wood Wood Linen Cloth", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "8%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "8%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Adventurer's Corpse", + "1", + "8%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "8%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "8%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "8%", + "Blister Burrow" + ], + [ + "Soldier's Corpse", + "1", + "8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Quarterstaff is a staff in Outward." + }, + { + "name": "Quartz Potion", + "url": "https://outward.fandom.com/wiki/Quartz_Potion", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "25", + "DLC": "The Soroboreans", + "Effects": "Corruption Resistance 2", + "Object ID": "4300300", + "Perish Time": "∞", + "Sell": "8", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3e/Quartz_Potion.png/revision/latest/scale-to-width-down/83?cb=20200616185603", + "effects": [ + "Player receives Corruption Resistance (level 2)" + ], + "recipes": [ + { + "result": "Quartz Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Boozu's Hide", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Quartz Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Boozu's Hide Dreamer's Root", + "result": "3x Quartz Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Quartz Potion", + "Water Boozu's Hide Dreamer's Root", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "4 - 8", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Abrassar", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Chersonese", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Enmerkar Forest", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1 - 2", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "4 - 8", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 2", + "100%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "Levant" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "2 - 4", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Wolfgang Captain", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "14.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10.5%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "10.5%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "10.5%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "10.5%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "10.5%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 3", + "source": "Ornate Chest" + }, + { + "chance": "10.5%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "10.5%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 3", + "10.5%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 3", + "10.5%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 3", + "10.5%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 3", + "10.5%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 3", + "10.5%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Quartz Potion is an Item in Outward." + }, + { + "name": "Radiant Wolf Sword", + "url": "https://outward.fandom.com/wiki/Radiant_Wolf_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Swords", + "Damage": "34", + "Durability": "∞", + "Impact": "25", + "Object ID": "2000031", + "Sell": "270", + "Stamina Cost": "4.725", + "Type": "One-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ae/Radiant_Wolf_Sword.png/revision/latest?cb=20190413072309", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Radiant Wolf Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.725", + "damage": "34", + "description": "Two slash attacks, left to right", + "impact": "25", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.67", + "damage": "50.83", + "description": "Forward-thrusting strike", + "impact": "32.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.2", + "damage": "43.01", + "description": "Heavy left-lunging strike", + "impact": "27.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.2", + "damage": "43.01", + "description": "Heavy right-lunging strike", + "impact": "27.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34", + "25", + "4.725", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "50.83", + "32.5", + "5.67", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "43.01", + "27.5", + "5.2", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "43.01", + "27.5", + "5.2", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Radiant Wolf Sword is a one-handed sword in Outward." + }, + { + "name": "Rage Potion", + "url": "https://outward.fandom.com/wiki/Rage_Potion", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "15", + "Effects": "Rage", + "Object ID": "4300050", + "Perish Time": "∞", + "Sell": "4", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ec/Rage_Potion.png/revision/latest?cb=20190410154644", + "effects": [ + "Player receives Rage", + "+25% Impact bonus damage" + ], + "effect_links": [ + "/wiki/Rage" + ], + "recipes": [ + { + "result": "Rage Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Smoke Root", + "Gravel Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Rage Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "240 seconds", + "effects": "+25% Impact bonus damage", + "name": "Rage" + } + ], + "raw_rows": [ + [ + "", + "Rage", + "240 seconds", + "+25% Impact bonus damage" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Smoke Root Gravel Beetle", + "result": "3x Rage Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Rage Potion", + "Water Smoke Root Gravel Beetle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 3", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Vay the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "3", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "3", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "2 - 3", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "3", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "3", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "3", + "100%", + "Berg" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 20", + "16.3%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ], + [ + "Tuan the Alchemist", + "1 - 2", + "11.8%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.2%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "14.2%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + }, + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Bandit Captain", + "1 - 4", + "14.2%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "14.2%" + ], + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Rage Potion is a Potion item in Outward." + }, + { + "name": "Ragoût du Marais", + "url": "https://outward.fandom.com/wiki/Rago%C3%BBt_du_Marais", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Restores 50 HealthHealth Recovery 4Possessed", + "Hunger": "32.5%", + "Object ID": "4100400", + "Perish Time": "14 Days 21 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/53/Rago%C3%BBt_du_Marais.png/revision/latest/scale-to-width-down/83?cb=20190410134201", + "effects": [ + "Restores 32.5% Hunger", + "Restores 50 Health", + "Player receives Possessed", + "Player receives Health Recovery (level 4)" + ], + "effect_links": [ + "/wiki/Possessed" + ], + "recipes": [ + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Ragoût du Marais" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Ragoût du Marais" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Ragoût du Marais" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Miasmapod Meat Marshmelon Salt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Ragoût du Marais", + "Miasmapod Meat Marshmelon Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1 - 4", + "source": "Ountz the Melon Farmer" + } + ], + "raw_rows": [ + [ + "Ountz the Melon Farmer", + "1 - 4", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "15.8%", + "quantity": "1 - 4", + "source": "Marsh Captain" + }, + { + "chance": "15.3%", + "quantity": "1 - 4", + "source": "Marsh Archer Captain" + } + ], + "raw_rows": [ + [ + "Marsh Captain", + "1 - 4", + "15.8%" + ], + [ + "Marsh Archer Captain", + "1 - 4", + "15.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "18.2%", + "locations": "Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "18.2%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "18.2%", + "locations": "Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "18.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "18.2%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "18.2%", + "locations": "Dead Roots, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "18.2%", + "Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "18.2%", + "Giants' Village" + ], + [ + "Knight's Corpse", + "1", + "18.2%", + "Jade Quarry, Ziggurat Passage" + ], + [ + "Soldier's Corpse", + "1", + "18.2%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "18.2%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "18.2%", + "Dead Roots, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Ragoût du Marais (fr. Swamp's Stew) is a dish in Outward." + }, + { + "name": "Rainbow Peach", + "url": "https://outward.fandom.com/wiki/Rainbow_Peach", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "5", + "DLC": "The Three Brothers", + "Effects": "Barrier (Effect) 1", + "Hunger": "7.5%", + "Object ID": "4000390", + "Perish Time": "2 Days, 23 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/30/Rainbow_Peach.png/revision/latest/scale-to-width-down/83?cb=20201220075228", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Barrier (Effect) (level 1)" + ], + "effect_links": [ + "/wiki/Barrier_(Effect)" + ], + "recipes": [ + { + "result": "Cool Rainbow Jam", + "result_count": "1x", + "ingredients": [ + "Rainbow Peach", + "Rainbow Peach", + "Frosted Powder" + ], + "station": "Cooking Pot", + "source_page": "Rainbow Peach" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Rainbow Peach" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Rainbow Peach" + }, + { + "result": "Peach Seeds", + "result_count": "1x", + "ingredients": [ + "Rainbow Peach" + ], + "station": "Campfire", + "source_page": "Rainbow Peach" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Rainbow Peach" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Rainbow PeachRainbow PeachFrosted Powder", + "result": "1x Cool Rainbow Jam", + "station": "Cooking Pot" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "Rainbow Peach", + "result": "1x Peach Seeds", + "station": "Campfire" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Cool Rainbow Jam", + "Rainbow PeachRainbow PeachFrosted Powder", + "Cooking Pot" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "1x Peach Seeds", + "Rainbow Peach", + "Campfire" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Rainbow Peach (Gatherable)" + } + ], + "raw_rows": [ + [ + "Rainbow Peach (Gatherable)", + "3", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "1 - 8", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "1 - 8", + "43.2%", + "New Sirocco" + ] + ] + } + ], + "description": "Rainbow Peach is an Item in Outward." + }, + { + "name": "Rainbow Tartine", + "url": "https://outward.fandom.com/wiki/Rainbow_Tartine", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "DLC": "The Three Brothers", + "Effects": "Barrier (Effect) 1Hot Weather DefenseMana Ratio Recovery 2", + "Hunger": "12.5%", + "Object ID": "4100960", + "Perish Time": "19 Days, 20 Hours", + "Sell": "3", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8b/Rainbow_Tartine.png/revision/latest/scale-to-width-down/83?cb=20201220075229", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Barrier (Effect) (level 1)", + "Player receives Mana Ratio Recovery (level 2)", + "Player receives Hot Weather Defense" + ], + "effect_links": [ + "/wiki/Barrier_(Effect)" + ], + "recipes": [ + { + "result": "Rainbow Tartine", + "result_count": "3x", + "ingredients": [ + "Cool Rainbow Jam", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Rainbow Tartine" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Rainbow Tartine" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Rainbow Tartine" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cool Rainbow Jam Bread", + "result": "3x Rainbow Tartine", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Rainbow Tartine", + "Cool Rainbow Jam Bread", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Rainbow Tartine is an Item in Outward." + }, + { + "name": "Rancid Water", + "url": "https://outward.fandom.com/wiki/Rancid_Water", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "-", + "Drink": "30%", + "Effects": "Indigestion (80% chance)Water EffectRemoves Burning", + "Object ID": "5600003", + "Perish Time": "∞", + "Type": "Food", + "Weight": "0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/eb/Rancid_Water.png/revision/latest?cb=20190526140850", + "effects": [ + "Restores 30% Drink", + "Player receives Water Effect", + "Player receives Indigestion (80% chance)", + "Removes Burning" + ], + "effect_links": [ + "/wiki/Water_Effect", + "/wiki/Burning" + ], + "recipes": [ + { + "result": "Able Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot" + ], + "station": "Cooking Pot", + "source_page": "Rancid Water" + }, + { + "result": "Alertness Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Nightmare Mushroom", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Antidote", + "result_count": "1x", + "ingredients": [ + "Common Mushroom", + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Assassin Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Raw Jewel Meat", + "Firefly Powder", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Star Mushroom", + "Turmmip", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Barrier Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Bitter Spicy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Rancid Water" + }, + { + "result": "Blessed Potion", + "result_count": "3x", + "ingredients": [ + "Firefly Powder", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Bouillon du Predateur", + "result_count": "3x", + "ingredients": [ + "Predator Bones", + "Predator Bones", + "Predator Bones", + "Water" + ], + "station": "Cooking Pot", + "source_page": "Rancid Water" + }, + { + "result": "Bracing Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Clean Water", + "result_count": "1x", + "ingredients": [ + "Water" + ], + "station": "Campfire", + "source_page": "Rancid Water" + }, + { + "result": "Cool Potion", + "result_count": "3x", + "ingredients": [ + "Gravel Beetle", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Discipline Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Golem Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Occult Remains", + "Blue Sand", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Greasy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Cooking Pot", + "source_page": "Rancid Water" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Manticore Tail", + "Blood Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Alpha Tuanosaur Tail", + "Star Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Great Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Common Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Great Life Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Horror Chitin", + "Krimp Nut" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Hex Cleaner", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Horror's Potion", + "result_count": "1x", + "ingredients": [ + "Life Potion", + "Seaweed", + "Rancid Water", + "Liquid Corruption" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Iced Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Funnel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Rancid Water" + }, + { + "result": "Invigorating Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Sugar", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Gravel Beetle", + "Blood Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Mana Belly Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Pypherfish", + "Funnel Beetle", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Marathon Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Mineral Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Rancid Water" + }, + { + "result": "Mist Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Needle Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Cactus Fruit" + ], + "station": "Cooking Pot", + "source_page": "Rancid Water" + }, + { + "result": "Panacea", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Possessed Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Quartz Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Boozu's Hide", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Rage Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Smoke Root", + "Gravel Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Shimmer Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Soothing Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Rancid Water" + }, + { + "result": "Stability Potion", + "result_count": "1x", + "ingredients": [ + "Insect Husk", + "Livweedi", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Stealth Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Woolshroom", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Stoneflesh Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle", + "Insect Husk", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Sulphur Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Survivor Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Crystal Powder", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Warm Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Warrior Elixir", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Crystal Powder", + "Larva Egg", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + }, + { + "result": "Weather Defense Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Rancid Water" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterAbleroot", + "result": "1x Able Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterNightmare MushroomStingleaf", + "result": "3x Alertness Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Common MushroomThick OilWater", + "result": "1x Antidote", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "result": "1x Assassin Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Star MushroomTurmmipWater", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPeach SeedsCrysocolla Beetle", + "result": "1x Barrier Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice Beetle", + "result": "1x Bitter Spicy Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "Firefly PowderWater", + "result": "3x Blessed Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Predator BonesPredator BonesPredator BonesWater", + "result": "3x Bouillon du Predateur", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterAblerootAblerootPeach Seeds", + "result": "1x Bracing Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Water", + "result": "1x Clean Water", + "station": "Campfire" + }, + { + "ingredients": "Gravel BeetleWater", + "result": "3x Cool Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleLivweedi", + "result": "3x Discipline Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult RemainsBlue SandCrystal Powder", + "result": "1x Golem Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCrysocolla Beetle", + "result": "1x Greasy Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterManticore TailBlood Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterAlpha Tuanosaur TailStar Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Obsidian ShardCommon MushroomWater", + "result": "1x Great Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterHorror ChitinKrimp Nut", + "result": "3x Great Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernLivweediSalt", + "result": "1x Hex Cleaner", + "station": "Alchemy Kit" + }, + { + "ingredients": "Life PotionSeaweedRancid WaterLiquid Corruption", + "result": "1x Horror's Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterFunnel Beetle", + "result": "1x Iced Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSugarDreamer's Root", + "result": "3x Invigorating Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gravel BeetleBlood MushroomWater", + "result": "1x Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPypherfishFunnel BeetleHexa Stone", + "result": "1x Mana Belly Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCrysocolla Beetle", + "result": "1x Marathon Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGravel Beetle", + "result": "1x Mineral Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterGhost's Eye", + "result": "3x Mist Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCactus Fruit", + "result": "1x Needle Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSulphuric MushroomAblerootPeach Seeds", + "result": "1x Panacea", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult Remains", + "result": "3x Possessed Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterBoozu's HideDreamer's Root", + "result": "3x Quartz Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSmoke RootGravel Beetle", + "result": "3x Rage Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "result": "1x Shimmer Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSeaweed", + "result": "1x Soothing Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "Insect HuskLivweediWater", + "result": "1x Stability Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterWoolshroomGhost's Eye", + "result": "3x Stealth Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGravel BeetleInsect HuskCrystal Powder", + "result": "1x Stoneflesh Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSulphuric MushroomCrysocolla Beetle", + "result": "1x Sulphur Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleCrystal PowderLivweedi", + "result": "1x Survivor Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Thick OilWater", + "result": "1x Warm Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Krimp NutCrystal PowderLarva EggWater", + "result": "1x Warrior Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernCrystal Powder", + "result": "1x Weather Defense Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Able Tea", + "WaterAbleroot", + "Cooking Pot" + ], + [ + "3x Alertness Potion", + "WaterNightmare MushroomStingleaf", + "Alchemy Kit" + ], + [ + "1x Antidote", + "Common MushroomThick OilWater", + "Alchemy Kit" + ], + [ + "1x Assassin Elixir", + "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Astral Potion", + "Star MushroomTurmmipWater", + "Alchemy Kit" + ], + [ + "1x Barrier Potion", + "WaterPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Bitter Spicy Tea", + "WaterOchre Spice Beetle", + "Cooking Pot" + ], + [ + "3x Blessed Potion", + "Firefly PowderWater", + "Alchemy Kit" + ], + [ + "3x Bouillon du Predateur", + "Predator BonesPredator BonesPredator BonesWater", + "Cooking Pot" + ], + [ + "1x Bracing Potion", + "WaterAblerootAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "1x Clean Water", + "Water", + "Campfire" + ], + [ + "3x Cool Potion", + "Gravel BeetleWater", + "Alchemy Kit" + ], + [ + "3x Discipline Potion", + "WaterOchre Spice BeetleLivweedi", + "Alchemy Kit" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "1x Golem Elixir", + "WaterOccult RemainsBlue SandCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Greasy Tea", + "WaterCrysocolla Beetle", + "Cooking Pot" + ], + [ + "3x Great Astral Potion", + "WaterManticore TailBlood Mushroom", + "Alchemy Kit" + ], + [ + "3x Great Astral Potion", + "WaterAlpha Tuanosaur TailStar Mushroom", + "Alchemy Kit" + ], + [ + "1x Great Endurance Potion", + "Obsidian ShardCommon MushroomWater", + "Alchemy Kit" + ], + [ + "3x Great Life Potion", + "WaterHorror ChitinKrimp Nut", + "Alchemy Kit" + ], + [ + "1x Hex Cleaner", + "WaterGreasy FernLivweediSalt", + "Alchemy Kit" + ], + [ + "1x Horror's Potion", + "Life PotionSeaweedRancid WaterLiquid Corruption", + "Alchemy Kit" + ], + [ + "1x Iced Tea", + "WaterFunnel Beetle", + "Cooking Pot" + ], + [ + "3x Invigorating Potion", + "WaterSugarDreamer's Root", + "Alchemy Kit" + ], + [ + "1x Life Potion", + "Gravel BeetleBlood MushroomWater", + "Alchemy Kit" + ], + [ + "1x Mana Belly Potion", + "WaterPypherfishFunnel BeetleHexa Stone", + "Alchemy Kit" + ], + [ + "1x Marathon Potion", + "WaterCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Mineral Tea", + "WaterGravel Beetle", + "Cooking Pot" + ], + [ + "3x Mist Potion", + "WaterGhost's Eye", + "Alchemy Kit" + ], + [ + "1x Needle Tea", + "WaterCactus Fruit", + "Cooking Pot" + ], + [ + "1x Panacea", + "WaterSulphuric MushroomAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "3x Possessed Potion", + "WaterOccult Remains", + "Alchemy Kit" + ], + [ + "3x Quartz Potion", + "WaterBoozu's HideDreamer's Root", + "Alchemy Kit" + ], + [ + "3x Rage Potion", + "WaterSmoke RootGravel Beetle", + "Alchemy Kit" + ], + [ + "1x Shimmer Potion", + "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Soothing Tea", + "WaterSeaweed", + "Cooking Pot" + ], + [ + "1x Stability Potion", + "Insect HuskLivweediWater", + "Alchemy Kit" + ], + [ + "3x Stealth Potion", + "WaterWoolshroomGhost's Eye", + "Alchemy Kit" + ], + [ + "1x Stoneflesh Elixir", + "WaterGravel BeetleInsect HuskCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Sulphur Potion", + "WaterSulphuric MushroomCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Survivor Elixir", + "WaterOchre Spice BeetleCrystal PowderLivweedi", + "Alchemy Kit" + ], + [ + "1x Warm Potion", + "Thick OilWater", + "Alchemy Kit" + ], + [ + "1x Warrior Elixir", + "Krimp NutCrystal PowderLarva EggWater", + "Alchemy Kit" + ], + [ + "1x Weather Defense Potion", + "WaterGreasy FernCrystal Powder", + "Alchemy Kit" + ] + ] + } + ], + "description": "Rancid Water is a type of water in Outward. It is gathered with a Waterskin." + }, + { + "name": "Ration Ingredient", + "url": "https://outward.fandom.com/wiki/Ration_Ingredient", + "categories": [ + "Food" + ], + "recipes": [ + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Ration Ingredient" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Ration Ingredient" + } + ], + "tables": [ + { + "title": "Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + } + ], + "description": "Ration Ingredient refers to any ingredient which can be used to cook Travel Rations." + }, + { + "name": "Raw Alpha Meat", + "url": "https://outward.fandom.com/wiki/Raw_Alpha_Meat", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Health Recovery 3Rage boonChance of Indigestion", + "Hunger": "20%", + "Object ID": "4000060", + "Perish Time": "4 Days", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a1/Raw_Alpha_Meat.png/revision/latest/scale-to-width-down/83?cb=20190410130148", + "effects": [ + "Restores 20% Hunger", + "Player receives Rage", + "Player receives Health Recovery (level 3)", + "Player receives Indigestion (40% chance)" + ], + "effect_links": [ + "/wiki/Rage" + ], + "recipes": [ + { + "result": "Alpha Jerky", + "result_count": "5x", + "ingredients": [ + "Raw Alpha Meat", + "Raw Alpha Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Alpha Sandwich", + "result_count": "3x", + "ingredients": [ + "Raw Alpha Meat", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Bread Of The Wild", + "result_count": "3x", + "ingredients": [ + "Smoke Root", + "Raw Alpha Meat", + "Woolshroom", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Cooked Alpha Meat", + "result_count": "1x", + "ingredients": [ + "Raw Alpha Meat" + ], + "station": "Campfire", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Savage Stew", + "result_count": "3x", + "ingredients": [ + "Raw Alpha Meat", + "Marshmelon", + "Gravel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Alpha Meat" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Raw Alpha Meat" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Alpha MeatRaw Alpha MeatSaltSalt", + "result": "5x Alpha Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "Raw Alpha MeatBread", + "result": "3x Alpha Sandwich", + "station": "Cooking Pot" + }, + { + "ingredients": "Smoke RootRaw Alpha MeatWoolshroomBread", + "result": "3x Bread Of The Wild", + "station": "Cooking Pot" + }, + { + "ingredients": "Raw Alpha Meat", + "result": "1x Cooked Alpha Meat", + "station": "Campfire" + }, + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Raw Alpha MeatMarshmelonGravel Beetle", + "result": "3x Savage Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "5x Alpha Jerky", + "Raw Alpha MeatRaw Alpha MeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Alpha Sandwich", + "Raw Alpha MeatBread", + "Cooking Pot" + ], + [ + "3x Bread Of The Wild", + "Smoke RootRaw Alpha MeatWoolshroomBread", + "Cooking Pot" + ], + [ + "1x Cooked Alpha Meat", + "Raw Alpha Meat", + "Campfire" + ], + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Savage Stew", + "Raw Alpha MeatMarshmelonGravel Beetle", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "1 - 32", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "41.4%", + "locations": "Harmattan", + "quantity": "2", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "1 - 32", + "43.2%", + "New Sirocco" + ], + [ + "Ibolya Battleborn, Chef", + "2", + "41.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Alpha Coralhorn" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Alpha Tuanosaur" + }, + { + "chance": "100%", + "quantity": "3 - 5", + "source": "Manticore" + }, + { + "chance": "100%", + "quantity": "2", + "source": "Pearlbird Cutthroat" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Royal Manticore" + }, + { + "chance": "64%", + "quantity": "2 - 6", + "source": "Matriarch Myrmitaur" + }, + { + "chance": "64%", + "quantity": "2 - 6", + "source": "Myrmitaur" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Manticore" + }, + { + "chance": "22.2%", + "quantity": "1", + "source": "Alpha Coralhorn" + }, + { + "chance": "22.2%", + "quantity": "1", + "source": "Alpha Tuanosaur" + } + ], + "raw_rows": [ + [ + "Alpha Coralhorn", + "1", + "100%" + ], + [ + "Alpha Tuanosaur", + "1", + "100%" + ], + [ + "Manticore", + "3 - 5", + "100%" + ], + [ + "Pearlbird Cutthroat", + "2", + "100%" + ], + [ + "Royal Manticore", + "5", + "100%" + ], + [ + "Matriarch Myrmitaur", + "2 - 6", + "64%" + ], + [ + "Myrmitaur", + "2 - 6", + "64%" + ], + [ + "Manticore", + "1", + "25%" + ], + [ + "Alpha Coralhorn", + "1", + "22.2%" + ], + [ + "Alpha Tuanosaur", + "1", + "22.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ] + ] + } + ], + "description": "Raw Alpha Meat is a type of Meat in Outward." + }, + { + "name": "Raw Jewel Meat", + "url": "https://outward.fandom.com/wiki/Raw_Jewel_Meat", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Speed UpHealth Recovery 2", + "Hunger": "15%", + "Object ID": "4000260", + "Perish Time": "4 Days", + "Sell": "9", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d1/Raw_Jewel_Meat.png/revision/latest?cb=20190407132754", + "effects": [ + "Restores 15% Hunger", + "Player receives Speed Up", + "Player receives Health Recovery (level 2)" + ], + "recipes": [ + { + "result": "Assassin Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Raw Jewel Meat", + "Firefly Powder", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Raw Jewel Meat" + }, + { + "result": "Cooked Jewel Meat", + "result_count": "1x", + "ingredients": [ + "Raw Jewel Meat" + ], + "station": "Campfire", + "source_page": "Raw Jewel Meat" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Jewel Meat" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Jewel Meat" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Raw Jewel Meat" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Jewel Meat" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Jewel Meat" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "result": "1x Assassin Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Raw Jewel Meat", + "result": "1x Cooked Jewel Meat", + "station": "Campfire" + }, + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Assassin Elixir", + "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Cooked Jewel Meat", + "Raw Jewel Meat", + "Campfire" + ], + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Chef Tenno" + } + ], + "raw_rows": [ + [ + "Chef Tenno", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Jewelbird" + }, + { + "chance": "12.5%", + "quantity": "1", + "source": "Jewelbird" + } + ], + "raw_rows": [ + [ + "Jewelbird", + "1", + "100%" + ], + [ + "Jewelbird", + "1", + "12.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.3%", + "locations": "Ancient Hive, Crumbling Loading Docks, Sand Rose Cave", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.3%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "14.3%", + "locations": "Ancient Hive, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "14.3%", + "locations": "The Slide", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.3%", + "locations": "Stone Titan Caves, The Slide", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "14.3%", + "Ancient Hive, Crumbling Loading Docks, Sand Rose Cave" + ], + [ + "Chest", + "1", + "14.3%", + "Abrassar, Levant" + ], + [ + "Knight's Corpse", + "1", + "14.3%", + "Ancient Hive, Stone Titan Caves" + ], + [ + "Scavenger's Corpse", + "1", + "14.3%", + "The Slide" + ], + [ + "Worker's Corpse", + "1", + "14.3%", + "Stone Titan Caves, The Slide" + ] + ] + } + ], + "description": "Raw Jewel Meat is a food item in Outward." + }, + { + "name": "Raw Meat", + "url": "https://outward.fandom.com/wiki/Raw_Meat", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Health Recovery 2Chance of Indigestion", + "Hunger": "15%", + "Object ID": "4000050", + "Perish Time": "2 Days 23 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e9/Raw_Meat.png/revision/latest?cb=20190410130213", + "effects": [ + "Restores 15% Hunger", + "Player receives Health Recovery (level 2)", + "Player receives Indigestion (40% chance)" + ], + "recipes": [ + { + "result": "Cooked Meat", + "result_count": "1x", + "ingredients": [ + "Raw Meat" + ], + "station": "Campfire", + "source_page": "Raw Meat" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Meat" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Meat" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Raw Meat" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Meat" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Meat" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Meat" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Raw Meat" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Meat", + "result": "1x Cooked Meat", + "station": "Campfire" + }, + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cooked Meat", + "Raw Meat", + "Campfire" + ], + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "4 - 6", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "41.4%", + "locations": "Harmattan", + "quantity": "4", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2 - 4", + "100%", + "New Sirocco" + ], + [ + "Pelletier Baker, Chef", + "4 - 6", + "100%", + "Harmattan" + ], + [ + "Ibolya Battleborn, Chef", + "4", + "41.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Armored Hyena" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Bloody Beast" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Boreo" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Coralhorn" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Glacial Tuanosaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Hyena" + }, + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Pearlbird" + }, + { + "chance": "100%", + "quantity": "2 - 3", + "source": "Quartz Beetle" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Razorhorn Stekosaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Stekosaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Tuanosaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Veaber" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Coralhorn" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Glacial Tuanosaur" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Tuanosaur" + } + ], + "raw_rows": [ + [ + "Armored Hyena", + "1", + "100%" + ], + [ + "Bloody Beast", + "1", + "100%" + ], + [ + "Boreo", + "2 - 3", + "100%" + ], + [ + "Coralhorn", + "2 - 3", + "100%" + ], + [ + "Glacial Tuanosaur", + "1", + "100%" + ], + [ + "Hyena", + "1", + "100%" + ], + [ + "Pearlbird", + "1 - 2", + "100%" + ], + [ + "Quartz Beetle", + "2 - 3", + "100%" + ], + [ + "Razorhorn Stekosaur", + "1", + "100%" + ], + [ + "Stekosaur", + "1", + "100%" + ], + [ + "Tuanosaur", + "1", + "100%" + ], + [ + "Veaber", + "1", + "100%" + ], + [ + "Coralhorn", + "1", + "33.3%" + ], + [ + "Glacial Tuanosaur", + "1", + "28.6%" + ], + [ + "Tuanosaur", + "1", + "28.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1 - 2", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1 - 2", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1 - 2", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1 - 2", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1 - 2", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1 - 2", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ] + ] + } + ], + "description": "Raw Meat is a food item and ingredient in Outward. It's a type of Meat." + }, + { + "name": "Raw Rainbow Trout", + "url": "https://outward.fandom.com/wiki/Raw_Rainbow_Trout", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Mana Ratio Recovery 2Elemental ResistanceChance of Indigestion", + "Hunger": "12.5%", + "Object ID": "4000110", + "Perish Time": "4 Days", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9e/Raw_Rainbow_Trout.png/revision/latest/scale-to-width-down/83?cb=20190410131946", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Elemental Resistance", + "Player receives Mana Ratio Recovery (level 2)", + "Player receives Indigestion (20% chance)" + ], + "recipes": [ + { + "result": "Cierzo Ceviche", + "result_count": "3x", + "ingredients": [ + "Raw Rainbow Trout", + "Seaweed", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Rainbow Trout" + }, + { + "result": "Grilled Rainbow Trout", + "result_count": "1x", + "ingredients": [ + "Raw Rainbow Trout" + ], + "station": "Campfire", + "source_page": "Raw Rainbow Trout" + }, + { + "result": "Luxe Lichette", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Azure Shrimp", + "Raw Rainbow Trout", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Raw Rainbow Trout" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Raw Rainbow Trout" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Rainbow Trout" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Raw Rainbow Trout" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Rainbow Trout" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Raw Rainbow Trout" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Rainbow TroutSeaweedSalt", + "result": "3x Cierzo Ceviche", + "station": "Cooking Pot" + }, + { + "ingredients": "Raw Rainbow Trout", + "result": "1x Grilled Rainbow Trout", + "station": "Campfire" + }, + { + "ingredients": "Larva EggAzure ShrimpRaw Rainbow TroutSeaweed", + "result": "3x Luxe Lichette", + "station": "Cooking Pot" + }, + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Cierzo Ceviche", + "Raw Rainbow TroutSeaweedSalt", + "Cooking Pot" + ], + [ + "1x Grilled Rainbow Trout", + "Raw Rainbow Trout", + "Campfire" + ], + [ + "3x Luxe Lichette", + "Larva EggAzure ShrimpRaw Rainbow TroutSeaweed", + "Cooking Pot" + ], + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "35.7%", + "quantity": "1", + "source": "Fishing/Cave" + }, + { + "chance": "29.6%", + "quantity": "1", + "source": "Fishing/River (Enmerkar Forest)" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Fishing/Swamp" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Fishing/River (Chersonese)" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Fishing/Beach" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Fishing/Caldera" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Fishing/Caldera Pods" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Fishing/Harmattan" + } + ], + "raw_rows": [ + [ + "Fishing/Cave", + "1", + "35.7%" + ], + [ + "Fishing/River (Enmerkar Forest)", + "1", + "29.6%" + ], + [ + "Fishing/Swamp", + "1", + "28.6%" + ], + [ + "Fishing/River (Chersonese)", + "1", + "25%" + ], + [ + "Fishing/Beach", + "1", + "14.3%" + ], + [ + "Fishing/Caldera", + "1", + "14.3%" + ], + [ + "Fishing/Caldera Pods", + "1", + "14.3%" + ], + [ + "Fishing/Harmattan", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "2 - 4", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2 - 3", + "source": "Fishmonger Karl" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Master-Chef Arago" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "2 - 7", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "41.4%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 12", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 12", + "source": "Fourth Watcher" + } + ], + "raw_rows": [ + [ + "Chef Iasu", + "2 - 4", + "100%", + "Berg" + ], + [ + "Fishmonger Karl", + "2 - 3", + "100%", + "Cierzo" + ], + [ + "Master-Chef Arago", + "1", + "100%", + "Cierzo" + ], + [ + "Ountz the Melon Farmer", + "2 - 7", + "100%", + "Monsoon" + ], + [ + "Pelletier Baker, Chef", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "41.4%", + "Harmattan" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 12", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 12", + "25.9%", + "Conflux Chambers" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.8%", + "locations": "Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese, Montcalm Clan Fort, Vendavel Fortress", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "11.8%", + "locations": "Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "11.8%", + "locations": "Corrupted Tombs, Voltaic Hatchery", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "11.8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "11.8%", + "Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "11.8%", + "Chersonese, Montcalm Clan Fort, Vendavel Fortress" + ], + [ + "Junk Pile", + "1", + "11.8%", + "Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "11.8%", + "Corrupted Tombs, Voltaic Hatchery" + ], + [ + "Soldier's Corpse", + "1", + "11.8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ], + [ + "Worker's Corpse", + "1", + "11.8%", + "Chersonese" + ] + ] + } + ], + "description": "Raw Rainbow Trout is a food item in Outward and it's a type of Fish." + }, + { + "name": "Raw Salmon", + "url": "https://outward.fandom.com/wiki/Raw_Salmon", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Health Recovery 1Mana Ratio Recovery 1Indigestion", + "Hunger": "12.5%", + "Object ID": "4000130", + "Perish Time": "2 Days 23 Hours", + "Sell": "1", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/40/Raw_Salmon.png/revision/latest/scale-to-width-down/83?cb=20190410131929", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Health Recovery (level 1)", + "Player receives Mana Ratio Recovery (level 1)", + "Player receives Indigestion (20% chance)" + ], + "recipes": [ + { + "result": "Grilled Salmon", + "result_count": "1x", + "ingredients": [ + "Raw Salmon" + ], + "station": "Campfire", + "source_page": "Raw Salmon" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Raw Salmon" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Salmon" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Raw Salmon" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Salmon" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Raw Salmon" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Salmon", + "result": "1x Grilled Salmon", + "station": "Campfire" + }, + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Grilled Salmon", + "Raw Salmon", + "Campfire" + ], + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "71.4%", + "quantity": "1", + "source": "Fishing/Beach" + }, + { + "chance": "71.4%", + "quantity": "1", + "source": "Fishing/Caldera" + }, + { + "chance": "71.4%", + "quantity": "1", + "source": "Fishing/Caldera Pods" + }, + { + "chance": "55.6%", + "quantity": "1", + "source": "Fishing/River (Enmerkar Forest)" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Fishing/River (Chersonese)" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Fishing/Cave" + }, + { + "chance": "28.6%", + "quantity": "1", + "source": "Fishing/Harmattan" + }, + { + "chance": "20.4%", + "quantity": "1", + "source": "Fishing/Harmattan" + }, + { + "chance": "20.4%", + "quantity": "1", + "source": "Fishing/Harmattan Magic" + }, + { + "chance": "20.4%", + "quantity": "1", + "source": "Fishing/Swamp" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Fishing/Harmattan Magic" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Fishing/Swamp" + } + ], + "raw_rows": [ + [ + "Fishing/Beach", + "1", + "71.4%" + ], + [ + "Fishing/Caldera", + "1", + "71.4%" + ], + [ + "Fishing/Caldera Pods", + "1", + "71.4%" + ], + [ + "Fishing/River (Enmerkar Forest)", + "1", + "55.6%" + ], + [ + "Fishing/River (Chersonese)", + "1", + "50%" + ], + [ + "Fishing/Cave", + "1", + "28.6%" + ], + [ + "Fishing/Harmattan", + "1", + "28.6%" + ], + [ + "Fishing/Harmattan", + "1", + "20.4%" + ], + [ + "Fishing/Harmattan Magic", + "1", + "20.4%" + ], + [ + "Fishing/Swamp", + "1", + "20.4%" + ], + [ + "Fishing/Harmattan Magic", + "1", + "14.3%" + ], + [ + "Fishing/Swamp", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "3 - 6", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "4 - 8", + "source": "Fishmonger Karl" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2 - 3", + "source": "Master-Chef Arago" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3 - 7", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "41.4%", + "locations": "Harmattan", + "quantity": "4", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 12", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 12", + "source": "Fourth Watcher" + } + ], + "raw_rows": [ + [ + "Chef Iasu", + "3 - 6", + "100%", + "Berg" + ], + [ + "Fishmonger Karl", + "4 - 8", + "100%", + "Cierzo" + ], + [ + "Master-Chef Arago", + "2 - 3", + "100%", + "Cierzo" + ], + [ + "Ountz the Melon Farmer", + "3 - 7", + "100%", + "Monsoon" + ], + [ + "Pelletier Baker, Chef", + "3 - 5", + "100%", + "Harmattan" + ], + [ + "Ibolya Battleborn, Chef", + "4", + "41.4%", + "Harmattan" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 12", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 12", + "25.9%", + "Conflux Chambers" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1 - 2", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1 - 2", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1 - 2", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1 - 2", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1 - 2", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1 - 2", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 2", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ] + ] + } + ], + "description": "Raw Salmon is one of the food items in Outward and a type of Fish." + }, + { + "name": "Raw Torcrab Meat", + "url": "https://outward.fandom.com/wiki/Raw_Torcrab_Meat", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Three Brothers", + "Effects": "Health Recovery 2Impact Resistance UpIndigestion (50% chance)", + "Hunger": "15%", + "Object ID": "4000470", + "Perish Time": "2 Days, 23 Hours", + "Sell": "5", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ee/Raw_Torcrab_Meat.png/revision/latest/scale-to-width-down/83?cb=20201220075230", + "effects": [ + "Restores 15% Hunger", + "Player receives Health Recovery (level 2)", + "Player receives Impact Resistance Up", + "Player receives Indigestion (50% chance)" + ], + "recipes": [ + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Torcrab Meat" + }, + { + "result": "Grilled Torcrab Meat", + "result_count": "1x", + "ingredients": [ + "Raw Torcrab Meat" + ], + "station": "Campfire", + "source_page": "Raw Torcrab Meat" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Torcrab Meat" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Raw Torcrab Meat" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Torcrab Meat" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Torcrab Meat" + }, + { + "result": "Torcrab Jerky", + "result_count": "3x", + "ingredients": [ + "Raw Torcrab Meat", + "Raw Torcrab Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Raw Torcrab Meat" + }, + { + "result": "Torcrab Sandwich", + "result_count": "3x", + "ingredients": [ + "Salt", + "Bread", + "Raw Torcrab Meat", + "Raw Torcrab Meat" + ], + "station": "Cooking Pot", + "source_page": "Raw Torcrab Meat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "Raw Torcrab Meat", + "result": "1x Grilled Torcrab Meat", + "station": "Campfire" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Raw Torcrab MeatRaw Torcrab MeatSaltSalt", + "result": "3x Torcrab Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "SaltBreadRaw Torcrab MeatRaw Torcrab Meat", + "result": "3x Torcrab Sandwich", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "1x Grilled Torcrab Meat", + "Raw Torcrab Meat", + "Campfire" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Torcrab Jerky", + "Raw Torcrab MeatRaw Torcrab MeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Torcrab Sandwich", + "SaltBreadRaw Torcrab MeatRaw Torcrab Meat", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "1 - 32", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "1 - 32", + "43.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Torcrab" + } + ], + "raw_rows": [ + [ + "Torcrab", + "1 - 2", + "100%" + ] + ] + } + ], + "description": "Raw Torcrab Meat is an Item in Outward." + }, + { + "name": "Recurve Bow", + "url": "https://outward.fandom.com/wiki/Recurve_Bow", + "categories": [ + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "30", + "Class": "Bows", + "Damage": "31", + "Durability": "275", + "Effects": "Slow Down", + "Impact": "14", + "Object ID": "2200010", + "Sell": "9", + "Stamina Cost": "2.64", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ea/Recurve_Bow.png/revision/latest?cb=20190412210119", + "effects": [ + "Inflicts Slow Down (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Coralhorn Bow", + "result_count": "1x", + "ingredients": [ + "Coralhorn Antler", + "Coralhorn Antler", + "Recurve Bow", + "Crystal Powder" + ], + "station": "None", + "source_page": "Recurve Bow" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Coralhorn AntlerCoralhorn AntlerRecurve BowCrystal Powder", + "result": "1x Coralhorn Bow", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Coralhorn Bow", + "Coralhorn AntlerCoralhorn AntlerRecurve BowCrystal Powder", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "2 - 8", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "7.1%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + } + ], + "raw_rows": [ + [ + "Lawrence Dakers, Hunter", + "1", + "100%", + "Harmattan" + ], + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ], + [ + "Howard Brock, Blacksmith", + "2 - 8", + "17.6%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "7.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Manhunter" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Bonded Beastmaster" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Desert Archer" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Marsh Archer Captain" + } + ], + "raw_rows": [ + [ + "Bandit Manhunter", + "1", + "100%" + ], + [ + "Bonded Beastmaster", + "1", + "100%" + ], + [ + "Desert Archer", + "1", + "100%" + ], + [ + "Marsh Archer Captain", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Recurve Bow is a bow in Outward." + }, + { + "name": "Red Clansage Robe", + "url": "https://outward.fandom.com/wiki/Red_Clansage_Robe", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "350", + "Cold Weather Def.": "15", + "Damage Bonus": "5% 5%", + "Damage Resist": "20% 20%", + "Durability": "320", + "Impact Resist": "4%", + "Mana Cost": "-20%", + "Object ID": "3000350", + "Sell": "105", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d5/Red_Clansage_Robe.png/revision/latest?cb=20190629155349", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Clansage Robe", + "upgrade": "Red Clansage Robe" + } + ], + "raw_rows": [ + [ + "Clansage Robe", + "Red Clansage Robe" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance", + "enchantment": "Stabilizing Forces" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Stabilizing Forces", + "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance" + ] + ] + } + ], + "description": "Red Clansage Robe is a type of Armor in Outward." + }, + { + "name": "Red Festive Attire", + "url": "https://outward.fandom.com/wiki/Red_Festive_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "35", + "Damage Resist": "5%", + "Durability": "150", + "Hot Weather Def.": "10", + "Impact Resist": "3%", + "Item Set": "Festive Set", + "Object ID": "3000090", + "Sell": "11", + "Slot": "Chest", + "Stamina Cost": "-10%", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d3/Red_Festive_Attire.png/revision/latest?cb=20190415125044", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Red Festive Attire" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Red Festive Attire" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Red Festive Attire" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Red Festive Attire" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Red Festive Attire" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Red Festive Attire" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Red Festive Attire" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Red Festive Attire" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Red Festive Attire" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + }, + { + "chance": "14.2%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "14.2%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Red Festive Attire is a type of Armor in Outward." + }, + { + "name": "Red Festive Hat", + "url": "https://outward.fandom.com/wiki/Red_Festive_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Damage Resist": "2%", + "Durability": "150", + "Hot Weather Def.": "6", + "Impact Resist": "2%", + "Item Set": "Festive Set", + "Object ID": "3000092", + "Sell": "6", + "Slot": "Head", + "Stamina Cost": "-5%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ac/Red_Festive_Hat.png/revision/latest?cb=20190414200810", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Red Festive Hat" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Red Festive Hat" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Red Festive Hat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "16.3%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 5", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Silver Tooth", + "1 - 5", + "16.3%", + "Silkworm's Refuge" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2.8%", + "locations": "Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "2.8%", + "Levant" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abrassar, Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Red Festive Hat is a type of Armor in Outward." + }, + { + "name": "Red Lady's Dagger", + "url": "https://outward.fandom.com/wiki/Red_Lady%27s_Dagger", + "categories": [ + "Items", + "Weapons", + "Daggers", + "Off-Handed Weapons" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Daggers", + "Damage": "20 20", + "Durability": "300", + "Impact": "49", + "Object ID": "5110002", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Red_Lady%27s_Dagger.png/revision/latest?cb=20190406064333", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Red Lady's Dagger is a unique dagger found in Outward." + }, + { + "name": "Red Light Clothes", + "url": "https://outward.fandom.com/wiki/Red_Light_Clothes", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "35", + "Damage Resist": "2%", + "Durability": "150", + "Hot Weather Def.": "15", + "Impact Resist": "3%", + "Item Set": "Light Clothes Set", + "Object ID": "3000171", + "Sell": "11", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a1/Red_Light_Clothes.png/revision/latest?cb=20190415124625", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Red Light Clothes" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Red Light Clothes" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Red Light Clothes" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Red Light Clothes" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Red Light Clothes" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Red Light Clothes" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Red Light Clothes" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Red Light Clothes" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Red Light Clothes" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "12.5%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "12.5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "12.5%", + "locations": "Myrmitaur's Haven, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Berg, Levant, Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "12.5%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "12.5%", + "Abandoned Living Quarters, Antique Plateau, Bandit Hideout, Cierzo, Cierzo (Destroyed), Forgotten Research Laboratory, Harmattan, Levant, The Vault of Stone" + ], + [ + "Hollowed Trunk", + "1", + "12.5%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "12.5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "12.5%", + "Abandoned Living Quarters, Abrassar, Antique Plateau, Giant's Sauna, Giants' Village, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "12.5%", + "Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Scarlet Sanctuary, Vigil Pylon" + ], + [ + "Scavenger's Corpse", + "1", + "12.5%", + "Myrmitaur's Haven, Ruined Warehouse" + ], + [ + "Stash", + "1", + "12.5%", + "Berg, Levant, Monsoon" + ], + [ + "Worker's Corpse", + "1", + "12.5%", + "Forgotten Research Laboratory" + ] + ] + } + ], + "description": "Red Light Clothes is a type of Armor in Outward." + }, + { + "name": "Red Wide Hat", + "url": "https://outward.fandom.com/wiki/Red_Wide_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Damage Bonus": "10% 10%", + "Damage Resist": "8%", + "Durability": "310", + "Hot Weather Def.": "10", + "Impact Resist": "6%", + "Mana Cost": "-20%", + "Object ID": "3000302", + "Sell": "90", + "Slot": "Head", + "Stamina Cost": "-5%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/04/Red_Wide_Hat.png/revision/latest?cb=20190629155351", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Wide Blue Hat", + "upgrade": "Red Wide Hat" + } + ], + "raw_rows": [ + [ + "Wide Blue Hat", + "Red Wide Hat" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Red Wide Hat is a type of Armor in Outward." + }, + { + "name": "Refinery Key: Depths", + "url": "https://outward.fandom.com/wiki/Refinery_Key:_Depths", + "categories": [ + "DLC: The Three Brothers", + "Key", + "Items" + ], + "infobox": { + "Buy": "1", + "DLC": "The Three Brothers", + "Object ID": "5600172", + "Sell": "1", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Giant_Iron_Key.png/revision/latest/scale-to-width-down/83?cb=20190412211145", + "description": "Refinery Key: Depths is an Item in Outward." + }, + { + "name": "Refinery Key: Upper", + "url": "https://outward.fandom.com/wiki/Refinery_Key:_Upper", + "categories": [ + "DLC: The Three Brothers", + "Key", + "Items" + ], + "infobox": { + "Buy": "1", + "DLC": "The Three Brothers", + "Object ID": "5600173", + "Sell": "1", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Giant_Iron_Key.png/revision/latest/scale-to-width-down/83?cb=20190412211145", + "description": "Refinery Key: Upper is an Item in Outward." + }, + { + "name": "Revenant Moon", + "url": "https://outward.fandom.com/wiki/Revenant_Moon", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "30", + "Damage Bonus": "35%", + "Durability": "300", + "Effects": "Blaze", + "Impact": "40", + "Item Set": "Scarlet Set", + "Mana Cost": "+20%", + "Object ID": "2150185", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Staff", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/76/Revenant_Moon.png/revision/latest/scale-to-width-down/83?cb=20201220075234", + "effects": [ + "Inflicts Blaze (33% buildup)", + "Raises the player's temperature by +14 when equipped" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Revenant Moon", + "result_count": "1x", + "ingredients": [ + "Cracked Red Moon", + "Scarlet Gem" + ], + "station": "None", + "source_page": "Revenant Moon" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "30", + "description": "Two wide-sweeping strikes, left to right", + "impact": "40", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "39", + "description": "Forward-thrusting strike", + "impact": "52", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "39", + "description": "Wide-sweeping strike from left", + "impact": "52", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "51", + "description": "Slow but powerful sweeping strike", + "impact": "68", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30", + "40", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "39", + "52", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "39", + "52", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "51", + "68", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cracked Red Moon Scarlet Gem", + "result": "1x Revenant Moon", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Revenant Moon", + "Cracked Red Moon Scarlet Gem", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Revenant Moon is a Unique type of Weapon in Outward." + }, + { + "name": "Rich Set", + "url": "https://outward.fandom.com/wiki/Rich_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "137", + "Damage Resist": "5%", + "Durability": "330", + "Hot Weather Def.": "21", + "Impact Resist": "7%", + "Object ID": "3000120 (Chest)3000122 (Head)", + "Sell": "43", + "Slot": "Set", + "Stamina Cost": "-15%", + "Weight": "5.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-10%", + "durability": "165", + "name": "Bright Rich Attire", + "resistances": "3%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Bright Rich Hat", + "resistances": "2%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-10%", + "durability": "165", + "name": "Dark Rich Attire", + "resistances": "3%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Dark Rich Hat", + "resistances": "2%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Bright Rich Attire", + "3%", + "4%", + "14", + "-10%", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Bright Rich Hat", + "2%", + "3%", + "7", + "-5%", + "165", + "1.0", + "Helmets" + ], + [ + "", + "Dark Rich Attire", + "3%", + "4%", + "14", + "-10%", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Dark Rich Hat", + "2%", + "3%", + "7", + "-5%", + "165", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-10%", + "durability": "165", + "name": "Bright Rich Attire", + "resistances": "3%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Bright Rich Hat", + "resistances": "2%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "14", + "column_6": "-10%", + "durability": "165", + "name": "Dark Rich Attire", + "resistances": "3%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "7", + "column_6": "-5%", + "durability": "165", + "name": "Dark Rich Hat", + "resistances": "2%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Bright Rich Attire", + "3%", + "4%", + "14", + "-10%", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Bright Rich Hat", + "2%", + "3%", + "7", + "-5%", + "165", + "1.0", + "Helmets" + ], + [ + "", + "Dark Rich Attire", + "3%", + "4%", + "14", + "-10%", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Dark Rich Hat", + "2%", + "3%", + "7", + "-5%", + "165", + "1.0", + "Helmets" + ] + ] + } + ], + "description": "Rich Set is a Set in Outward." + }, + { + "name": "River Water", + "url": "https://outward.fandom.com/wiki/River_Water", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "-", + "Drink": "30%", + "Effects": "Water EffectIndigestion (10% chance)Removes Burning", + "Object ID": "5600001", + "Perish Time": "∞", + "Type": "Food", + "Weight": "-" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b2/River_Water.png/revision/latest?cb=20190526141657", + "effects": [ + "Restores 30% Drink", + "Player receives Water Effect", + "Player receives Indigestion (10% chance)", + "Removes Burning" + ], + "effect_links": [ + "/wiki/Water_Effect", + "/wiki/Burning" + ], + "recipes": [ + { + "result": "Able Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot" + ], + "station": "Cooking Pot", + "source_page": "River Water" + }, + { + "result": "Alertness Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Nightmare Mushroom", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Antidote", + "result_count": "1x", + "ingredients": [ + "Common Mushroom", + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Assassin Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Raw Jewel Meat", + "Firefly Powder", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Star Mushroom", + "Turmmip", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Barrier Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Bitter Spicy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "River Water" + }, + { + "result": "Blessed Potion", + "result_count": "3x", + "ingredients": [ + "Firefly Powder", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Bouillon du Predateur", + "result_count": "3x", + "ingredients": [ + "Predator Bones", + "Predator Bones", + "Predator Bones", + "Water" + ], + "station": "Cooking Pot", + "source_page": "River Water" + }, + { + "result": "Bracing Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Ableroot", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Clean Water", + "result_count": "1x", + "ingredients": [ + "Water" + ], + "station": "Campfire", + "source_page": "River Water" + }, + { + "result": "Cool Potion", + "result_count": "3x", + "ingredients": [ + "Gravel Beetle", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Discipline Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Golem Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Occult Remains", + "Blue Sand", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Greasy Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Cooking Pot", + "source_page": "River Water" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Manticore Tail", + "Blood Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Alpha Tuanosaur Tail", + "Star Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Great Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Obsidian Shard", + "Common Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Great Life Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Horror Chitin", + "Krimp Nut" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Hex Cleaner", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Iced Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Funnel Beetle" + ], + "station": "Cooking Pot", + "source_page": "River Water" + }, + { + "result": "Invigorating Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Sugar", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Gravel Beetle", + "Blood Mushroom", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Mana Belly Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Pypherfish", + "Funnel Beetle", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Marathon Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Mineral Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle" + ], + "station": "Cooking Pot", + "source_page": "River Water" + }, + { + "result": "Mist Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Needle Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Cactus Fruit" + ], + "station": "Cooking Pot", + "source_page": "River Water" + }, + { + "result": "Panacea", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Possessed Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Quartz Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Boozu's Hide", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Rage Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Smoke Root", + "Gravel Beetle" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Shimmer Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Soothing Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "River Water" + }, + { + "result": "Stability Potion", + "result_count": "1x", + "ingredients": [ + "Insect Husk", + "Livweedi", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Stealth Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Woolshroom", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Stoneflesh Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle", + "Insect Husk", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Sulphur Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Survivor Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Crystal Powder", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Warm Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Warrior Elixir", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Crystal Powder", + "Larva Egg", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + }, + { + "result": "Weather Defense Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "River Water" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterAbleroot", + "result": "1x Able Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterNightmare MushroomStingleaf", + "result": "3x Alertness Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Common MushroomThick OilWater", + "result": "1x Antidote", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "result": "1x Assassin Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Star MushroomTurmmipWater", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPeach SeedsCrysocolla Beetle", + "result": "1x Barrier Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice Beetle", + "result": "1x Bitter Spicy Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "Firefly PowderWater", + "result": "3x Blessed Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Predator BonesPredator BonesPredator BonesWater", + "result": "3x Bouillon du Predateur", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterAblerootAblerootPeach Seeds", + "result": "1x Bracing Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Water", + "result": "1x Clean Water", + "station": "Campfire" + }, + { + "ingredients": "Gravel BeetleWater", + "result": "3x Cool Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleLivweedi", + "result": "3x Discipline Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult RemainsBlue SandCrystal Powder", + "result": "1x Golem Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCrysocolla Beetle", + "result": "1x Greasy Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterManticore TailBlood Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterAlpha Tuanosaur TailStar Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Obsidian ShardCommon MushroomWater", + "result": "1x Great Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterHorror ChitinKrimp Nut", + "result": "3x Great Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernLivweediSalt", + "result": "1x Hex Cleaner", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterFunnel Beetle", + "result": "1x Iced Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSugarDreamer's Root", + "result": "3x Invigorating Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Gravel BeetleBlood MushroomWater", + "result": "1x Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPypherfishFunnel BeetleHexa Stone", + "result": "1x Mana Belly Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCrysocolla Beetle", + "result": "1x Marathon Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGravel Beetle", + "result": "1x Mineral Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterGhost's Eye", + "result": "3x Mist Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterCactus Fruit", + "result": "1x Needle Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSulphuric MushroomAblerootPeach Seeds", + "result": "1x Panacea", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOccult Remains", + "result": "3x Possessed Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterBoozu's HideDreamer's Root", + "result": "3x Quartz Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSmoke RootGravel Beetle", + "result": "3x Rage Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "result": "1x Shimmer Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSeaweed", + "result": "1x Soothing Tea", + "station": "Cooking Pot" + }, + { + "ingredients": "Insect HuskLivweediWater", + "result": "1x Stability Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterWoolshroomGhost's Eye", + "result": "3x Stealth Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGravel BeetleInsect HuskCrystal Powder", + "result": "1x Stoneflesh Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSulphuric MushroomCrysocolla Beetle", + "result": "1x Sulphur Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterOchre Spice BeetleCrystal PowderLivweedi", + "result": "1x Survivor Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "Thick OilWater", + "result": "1x Warm Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Krimp NutCrystal PowderLarva EggWater", + "result": "1x Warrior Elixir", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterGreasy FernCrystal Powder", + "result": "1x Weather Defense Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Able Tea", + "WaterAbleroot", + "Cooking Pot" + ], + [ + "3x Alertness Potion", + "WaterNightmare MushroomStingleaf", + "Alchemy Kit" + ], + [ + "1x Antidote", + "Common MushroomThick OilWater", + "Alchemy Kit" + ], + [ + "1x Assassin Elixir", + "WaterRaw Jewel MeatFirefly PowderCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Astral Potion", + "Star MushroomTurmmipWater", + "Alchemy Kit" + ], + [ + "1x Barrier Potion", + "WaterPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Bitter Spicy Tea", + "WaterOchre Spice Beetle", + "Cooking Pot" + ], + [ + "3x Blessed Potion", + "Firefly PowderWater", + "Alchemy Kit" + ], + [ + "3x Bouillon du Predateur", + "Predator BonesPredator BonesPredator BonesWater", + "Cooking Pot" + ], + [ + "1x Bracing Potion", + "WaterAblerootAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "1x Clean Water", + "Water", + "Campfire" + ], + [ + "3x Cool Potion", + "Gravel BeetleWater", + "Alchemy Kit" + ], + [ + "3x Discipline Potion", + "WaterOchre Spice BeetleLivweedi", + "Alchemy Kit" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "1x Golem Elixir", + "WaterOccult RemainsBlue SandCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Greasy Tea", + "WaterCrysocolla Beetle", + "Cooking Pot" + ], + [ + "3x Great Astral Potion", + "WaterManticore TailBlood Mushroom", + "Alchemy Kit" + ], + [ + "3x Great Astral Potion", + "WaterAlpha Tuanosaur TailStar Mushroom", + "Alchemy Kit" + ], + [ + "1x Great Endurance Potion", + "Obsidian ShardCommon MushroomWater", + "Alchemy Kit" + ], + [ + "3x Great Life Potion", + "WaterHorror ChitinKrimp Nut", + "Alchemy Kit" + ], + [ + "1x Hex Cleaner", + "WaterGreasy FernLivweediSalt", + "Alchemy Kit" + ], + [ + "1x Iced Tea", + "WaterFunnel Beetle", + "Cooking Pot" + ], + [ + "3x Invigorating Potion", + "WaterSugarDreamer's Root", + "Alchemy Kit" + ], + [ + "1x Life Potion", + "Gravel BeetleBlood MushroomWater", + "Alchemy Kit" + ], + [ + "1x Mana Belly Potion", + "WaterPypherfishFunnel BeetleHexa Stone", + "Alchemy Kit" + ], + [ + "1x Marathon Potion", + "WaterCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Mineral Tea", + "WaterGravel Beetle", + "Cooking Pot" + ], + [ + "3x Mist Potion", + "WaterGhost's Eye", + "Alchemy Kit" + ], + [ + "1x Needle Tea", + "WaterCactus Fruit", + "Cooking Pot" + ], + [ + "1x Panacea", + "WaterSulphuric MushroomAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "3x Possessed Potion", + "WaterOccult Remains", + "Alchemy Kit" + ], + [ + "3x Quartz Potion", + "WaterBoozu's HideDreamer's Root", + "Alchemy Kit" + ], + [ + "3x Rage Potion", + "WaterSmoke RootGravel Beetle", + "Alchemy Kit" + ], + [ + "1x Shimmer Potion", + "WaterPeach SeedsPeach SeedsCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Soothing Tea", + "WaterSeaweed", + "Cooking Pot" + ], + [ + "1x Stability Potion", + "Insect HuskLivweediWater", + "Alchemy Kit" + ], + [ + "3x Stealth Potion", + "WaterWoolshroomGhost's Eye", + "Alchemy Kit" + ], + [ + "1x Stoneflesh Elixir", + "WaterGravel BeetleInsect HuskCrystal Powder", + "Alchemy Kit" + ], + [ + "1x Sulphur Potion", + "WaterSulphuric MushroomCrysocolla Beetle", + "Alchemy Kit" + ], + [ + "1x Survivor Elixir", + "WaterOchre Spice BeetleCrystal PowderLivweedi", + "Alchemy Kit" + ], + [ + "1x Warm Potion", + "Thick OilWater", + "Alchemy Kit" + ], + [ + "1x Warrior Elixir", + "Krimp NutCrystal PowderLarva EggWater", + "Alchemy Kit" + ], + [ + "1x Weather Defense Potion", + "WaterGreasy FernCrystal Powder", + "Alchemy Kit" + ] + ] + } + ], + "description": "River Water is a type of water in Outward. It is gathered with a Waterskin." + }, + { + "name": "Roasted Krimp Nut", + "url": "https://outward.fandom.com/wiki/Roasted_Krimp_Nut", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "8", + "Effects": "Stamina Recovery 3", + "Hunger": "5%", + "Object ID": "4100560", + "Perish Time": "11 Days 21 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/96/Roasted_Krimp_Nut.png/revision/latest/scale-to-width-down/83?cb=20190701141907", + "effects": [ + "Restores 50 Hunger", + "Player receives Stamina Recovery (level 3)" + ], + "recipes": [ + { + "result": "Roasted Krimp Nut", + "result_count": "1x", + "ingredients": [ + "Krimp Nut" + ], + "station": "Campfire", + "source_page": "Roasted Krimp Nut" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Roasted Krimp Nut" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Roasted Krimp Nut" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Roasted Krimp Nut" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Krimp Nut", + "result": "1x Roasted Krimp Nut", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Roasted Krimp Nut", + "Krimp Nut", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Roasted Krimp Nut is a Food item in Outward." + }, + { + "name": "Rondel Dagger", + "url": "https://outward.fandom.com/wiki/Rondel_Dagger", + "categories": [ + "Items", + "Weapons", + "Daggers", + "Off-Handed Weapons" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "50", + "Class": "Daggers", + "Damage": "22", + "Durability": "200", + "Impact": "28", + "Object ID": "5110000", + "Sell": "15", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Rondel_Dagger.png/revision/latest?cb=20190406064343", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Rondel Dagger" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Gain +0.2x Mana Leech (damage dealt with the dagger will restore 0.2x the damage as Mana)", + "enchantment": "The Good Moon" + }, + { + "effects": "Weapon can become a Vampiric Weapon with a Blood Altar", + "enchantment": "Thirst" + }, + { + "effects": "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible", + "enchantment": "Unsuspected Strength" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "The Good Moon", + "Gain +0.2x Mana Leech (damage dealt with the dagger will restore 0.2x the damage as Mana)" + ], + [ + "Thirst", + "Weapon can become a Vampiric Weapon with a Blood Altar" + ], + [ + "Unsuspected Strength", + "Adds +150% of the existing weapon's physical damage as Physical damageMakes the weapon Indestructible" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Iron Sides" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Ogoi, Kazite Assassin" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "26.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "25.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "23.2%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Iron Sides", + "1", + "100%", + "Giants' Village" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Ogoi, Kazite Assassin", + "1", + "100%", + "Berg" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "26.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "25.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "23.2%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "24.7%", + "quantity": "1 - 5", + "source": "The Last Acolyte" + }, + { + "chance": "20.7%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + }, + { + "chance": "6.3%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + } + ], + "raw_rows": [ + [ + "The Last Acolyte", + "1 - 5", + "24.7%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "20.7%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "6.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Rondel Dagger is a dagger in Outward." + }, + { + "name": "Rotwood Staff", + "url": "https://outward.fandom.com/wiki/Rotwood_Staff", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Polearms", + "Damage": "15.5 15.5", + "Damage Bonus": "20%", + "Durability": "225", + "Impact": "48", + "Mana Cost": "-25%", + "Object ID": "2150031", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Staff", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/17/Rotwood_Staff.png/revision/latest?cb=20190412214402", + "recipes": [ + { + "result": "Rotwood Staff", + "result_count": "1x", + "ingredients": [ + "Compasswood Staff", + "Blue Sand", + "Crystal Powder" + ], + "station": "None", + "source_page": "Rotwood Staff" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "15.5 15.5", + "description": "Two wide-sweeping strikes, left to right", + "impact": "48", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "20.15 20.15", + "description": "Forward-thrusting strike", + "impact": "62.4", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "20.15 20.15", + "description": "Wide-sweeping strike from left", + "impact": "62.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "26.35 26.35", + "description": "Slow but powerful sweeping strike", + "impact": "81.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "15.5 15.5", + "48", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "20.15 20.15", + "62.4", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "20.15 20.15", + "62.4", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "26.35 26.35", + "81.6", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Compasswood Staff Blue Sand Crystal Powder", + "result": "1x Rotwood Staff", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Rotwood Staff", + "Compasswood Staff Blue Sand Crystal Powder", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Rotwood Staff is a staff in Outward." + }, + { + "name": "Round Shield", + "url": "https://outward.fandom.com/wiki/Round_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Shields", + "Damage": "15", + "Durability": "130", + "Impact": "36", + "Impact Resist": "12%", + "Object ID": "2300000", + "Sell": "6", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e1/Round_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407065439", + "recipes": [ + { + "result": "Fang Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Predator Bones", + "Linen Cloth" + ], + "station": "None", + "source_page": "Round Shield" + }, + { + "result": "Galvanic Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Round Shield" + }, + { + "result": "Gold-Lich Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Gold-Lich Mechanism", + "Firefly Powder" + ], + "station": "None", + "source_page": "Round Shield" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Round Shield" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Round ShieldPredator BonesLinen Cloth", + "result": "1x Fang Shield", + "station": "None" + }, + { + "ingredients": "Round ShieldShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Shield", + "station": "None" + }, + { + "ingredients": "Round ShieldGold-Lich MechanismFirefly Powder", + "result": "1x Gold-Lich Shield", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Fang Shield", + "Round ShieldPredator BonesLinen Cloth", + "None" + ], + [ + "1x Galvanic Shield", + "Round ShieldShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Gold-Lich Shield", + "Round ShieldGold-Lich MechanismFirefly Powder", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Lieutenant" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Desert Bandit" + } + ], + "raw_rows": [ + [ + "Bandit Lieutenant", + "1", + "100%" + ], + [ + "Desert Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Round Shield is a basic type of Shield in Outward." + }, + { + "name": "Royal Great-Khopesh", + "url": "https://outward.fandom.com/wiki/Royal_Great-Khopesh", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Swords", + "Damage": "42", + "Durability": "350", + "Effects": "Pain", + "Impact": "43", + "Object ID": "2100150", + "Sell": "338", + "Stamina Cost": "5.4", + "Type": "Two-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/45/Royal_Great-Kopesh.png/revision/latest?cb=20190413074757", + "effects": [ + "Inflicts Pain (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Royal Great-Khopesh" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "42", + "description": "Two slashing strikes, left to right", + "impact": "43", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.02", + "damage": "63", + "description": "Overhead downward-thrusting strike", + "impact": "64.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.94", + "damage": "53.13", + "description": "Spinning strike from the right", + "impact": "47.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.94", + "damage": "53.13", + "description": "Spinning strike from the left", + "impact": "47.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "42", + "43", + "5.4", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "63", + "64.5", + "7.02", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "53.13", + "47.3", + "5.94", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "53.13", + "47.3", + "5.94", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Yzan Argenson" + } + ], + "raw_rows": [ + [ + "Yzan Argenson", + "1", + "100%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Royal Great-Khopesh is a two-handed sword in Outward." + }, + { + "name": "Ruined Halberd", + "url": "https://outward.fandom.com/wiki/Ruined_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "30", + "Durability": "200", + "Impact": "44", + "Object ID": "2150170", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Halberd", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/45/Ruined_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220075237", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Ruined Halberd is a type of Weapon in Outward." + }, + { + "name": "Runic Armor", + "url": "https://outward.fandom.com/wiki/Runic_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Barrier": "3", + "Buy": "700", + "Damage Bonus": "10% 10%", + "Damage Resist": "18%", + "Durability": "375", + "Hot Weather Def.": "-10", + "Impact Resist": "20%", + "Item Set": "Runic Set", + "Mana Cost": "-5%", + "Movement Speed": "-6%", + "Object ID": "3100120", + "Protection": "3", + "Sell": "233", + "Slot": "Chest", + "Stamina Cost": "11%", + "Weight": "18.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/11/Runic_Armor.png/revision/latest?cb=20190415125156", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Runic Armor" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Movement SpeedGain +10% Decay damage bonus", + "enchantment": "Chaos and Creativity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Chaos and Creativity", + "Gain +10% Movement SpeedGain +10% Decay damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Runic Armor is a type of Armor in Outward." + }, + { + "name": "Runic Blade", + "url": "https://outward.fandom.com/wiki/Runic_Blade", + "categories": [ + "Items", + "Weapons", + "Swords", + "Skill Combinations" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "0", + "Class": "Swords", + "Damage": "31", + "Durability": "∞", + "Impact": "12", + "Object ID": "2000100", + "Sell": "0", + "Stamina Cost": "4.0", + "Type": "One-Handed", + "Weight": "0.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e5/Runic_Blade.png/revision/latest?cb=20190413072455", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4", + "damage": "31", + "description": "Two slash attacks, left to right", + "impact": "12", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "4.8", + "damage": "46.35", + "description": "Forward-thrusting strike", + "impact": "15.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.4", + "damage": "39.21", + "description": "Heavy left-lunging strike", + "impact": "13.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.4", + "damage": "39.21", + "description": "Heavy right-lunging strike", + "impact": "13.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "31", + "12", + "4", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "46.35", + "15.6", + "4.8", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "39.21", + "13.2", + "4.4", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "39.21", + "13.2", + "4.4", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "headers": [ + "Combination", + "Effects" + ], + "rows": [ + { + "combination": "\u003e", + "effects": "Summons a Runic Blade for 180 secondsDeals 31 ethereal damage and 12 impactLasts until timer expires, or unequipped" + } + ], + "raw_rows": [ + [ + "\u003e", + "Summons a Runic Blade for 180 secondsDeals 31 ethereal damage and 12 impactLasts until timer expires, or unequipped" + ] + ] + }, + { + "headers": [ + "Combination" + ], + "rows": [ + { + "combination": "\u003e" + } + ], + "raw_rows": [ + [ + "\u003e" + ] + ] + }, + { + "title": "Skill Combination / Runic Prefix / Used In", + "headers": [ + "Combo Name", + "Combination", + "Effects", + "Prerequisite" + ], + "rows": [ + { + "combination": "Runic Blade \u003e Shim \u003e Egoth", + "combo_name": "Great Runic Blade", + "effects": "Summons a Great Runic Blade for 180 seconds Deals 39 ethereal damage and 19 impact Lasts until timer expires, or unequipped", + "prerequisite": "Arcane Syntax" + } + ], + "raw_rows": [ + [ + "Great Runic Blade", + "Runic Blade \u003e Shim \u003e Egoth", + "Summons a Great Runic Blade for 180 seconds Deals 39 ethereal damage and 19 impact Lasts until timer expires, or unequipped", + "Arcane Syntax" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Runic Blade is a magical One-Handed Sword summoned using Rune Magic in Outward." + }, + { + "name": "Runic Boots", + "url": "https://outward.fandom.com/wiki/Runic_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Barrier": "2", + "Buy": "350", + "Damage Resist": "13%", + "Durability": "375", + "Impact Resist": "12%", + "Item Set": "Runic Set", + "Mana Cost": "-5%", + "Movement Speed": "-4%", + "Object ID": "3100122", + "Protection": "2", + "Sell": "116", + "Slot": "Legs", + "Stamina Cost": "9%", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f9/Runic_Boots.png/revision/latest?cb=20190415155624", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Runic Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +7% Movement Speed bonusGain +5% Cooldown Reduction", + "enchantment": "Speed and Efficiency" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Speed and Efficiency", + "Gain +7% Movement Speed bonusGain +5% Cooldown Reduction" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Runic Boots is a type of Armor in Outward." + }, + { + "name": "Runic Helm", + "url": "https://outward.fandom.com/wiki/Runic_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Barrier": "2", + "Buy": "350", + "Damage Resist": "13%", + "Durability": "375", + "Impact Resist": "12%", + "Item Set": "Runic Set", + "Made By": "Quikiza (Berg)", + "Mana Cost": "-5%", + "Movement Speed": "-4%", + "Object ID": "3100121", + "Protection": "2", + "Sell": "105", + "Slot": "Head", + "Stamina Cost": "9%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8e/Runic_Helm.png/revision/latest?cb=20190407195046", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Runic Helm" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +10% Lightning damage bonusGain +10% Movement Speed bonus", + "enchantment": "Order and Discipline" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Order and Discipline", + "Gain +10% Lightning damage bonusGain +10% Movement Speed bonus" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "10.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "10.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Runic Helm is a type of Armor in Outward." + }, + { + "name": "Runic Set", + "url": "https://outward.fandom.com/wiki/Runic_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Barrier": "7", + "Buy": "1400", + "Damage Bonus": "10% 10%", + "Damage Resist": "44%", + "Durability": "1125", + "Hot Weather Def.": "-10", + "Impact Resist": "44%", + "Mana Cost": "-15%", + "Movement Speed": "-14%", + "Object ID": "3100120 (Chest)3100122 (Legs)3100121 (Head)", + "Protection": "7", + "Sell": "454", + "Slot": "Set", + "Stamina Cost": "29%", + "Weight": "38.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Damage Bonus%", + "Column 8", + "Column 9", + "Column 10", + "Column 11", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-5%", + "column_11": "-6%", + "column_4": "20%", + "column_5": "3", + "column_6": "3", + "column_8": "-10", + "column_9": "11%", + "damage_bonus%": "10% 10%", + "durability": "375", + "name": "Runic Armor", + "resistances": "18%", + "weight": "18.0" + }, + { + "class": "Boots", + "column_10": "-5%", + "column_11": "-4%", + "column_4": "12%", + "column_5": "2", + "column_6": "2", + "column_8": "–", + "column_9": "9%", + "damage_bonus%": "–", + "durability": "375", + "name": "Runic Boots", + "resistances": "13%", + "weight": "12.0" + }, + { + "class": "Helmets", + "column_10": "-5%", + "column_11": "-4%", + "column_4": "12%", + "column_5": "2", + "column_6": "2", + "column_8": "–", + "column_9": "9%", + "damage_bonus%": "–", + "durability": "375", + "name": "Runic Helm", + "resistances": "13%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Runic Armor", + "18%", + "20%", + "3", + "3", + "10% 10%", + "-10", + "11%", + "-5%", + "-6%", + "375", + "18.0", + "Body Armor" + ], + [ + "", + "Runic Boots", + "13%", + "12%", + "2", + "2", + "–", + "–", + "9%", + "-5%", + "-4%", + "375", + "12.0", + "Boots" + ], + [ + "", + "Runic Helm", + "13%", + "12%", + "2", + "2", + "–", + "–", + "9%", + "-5%", + "-4%", + "375", + "8.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Damage Bonus%", + "Column 8", + "Column 9", + "Column 10", + "Column 11", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-5%", + "column_11": "-6%", + "column_4": "20%", + "column_5": "3", + "column_6": "3", + "column_8": "-10", + "column_9": "11%", + "damage_bonus%": "10% 10%", + "durability": "375", + "name": "Runic Armor", + "resistances": "18%", + "weight": "18.0" + }, + { + "class": "Boots", + "column_10": "-5%", + "column_11": "-4%", + "column_4": "12%", + "column_5": "2", + "column_6": "2", + "column_8": "–", + "column_9": "9%", + "damage_bonus%": "–", + "durability": "375", + "name": "Runic Boots", + "resistances": "13%", + "weight": "12.0" + }, + { + "class": "Helmets", + "column_10": "-5%", + "column_11": "-4%", + "column_4": "12%", + "column_5": "2", + "column_6": "2", + "column_8": "–", + "column_9": "9%", + "damage_bonus%": "–", + "durability": "375", + "name": "Runic Helm", + "resistances": "13%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Runic Armor", + "18%", + "20%", + "3", + "3", + "10% 10%", + "-10", + "11%", + "-5%", + "-6%", + "375", + "18.0", + "Body Armor" + ], + [ + "", + "Runic Boots", + "13%", + "12%", + "2", + "2", + "–", + "–", + "9%", + "-5%", + "-4%", + "375", + "12.0", + "Boots" + ], + [ + "", + "Runic Helm", + "13%", + "12%", + "2", + "2", + "–", + "–", + "9%", + "-5%", + "-4%", + "375", + "8.0", + "Helmets" + ] + ] + } + ], + "description": "Runic Set is a Set in Outward. All the set pieces are regularly sold by Quikiza the blacksmith in Berg." + }, + { + "name": "Rust Lich Armor", + "url": "https://outward.fandom.com/wiki/Rust_Lich_Armor", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "825", + "DLC": "The Soroboreans", + "Damage Bonus": "-30% 25% 25%", + "Damage Resist": "22%", + "Durability": "340", + "Impact Resist": "16%", + "Item Set": "Rust Lich Set", + "Mana Cost": "-15%", + "Movement Speed": "-3%", + "Object ID": "3000360", + "Protection": "2", + "Sell": "248", + "Slot": "Chest", + "Stamina Cost": "3%", + "Weight": "12" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f9/Rust_Lich_Armor.png/revision/latest/scale-to-width-down/83?cb=20200616185606", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Forge Master" + } + ], + "raw_rows": [ + [ + "Forge Master", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Rust Lich Armor is a type of Equipment in Outward." + }, + { + "name": "Rust Lich Boots", + "url": "https://outward.fandom.com/wiki/Rust_Lich_Boots", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "450", + "DLC": "The Soroboreans", + "Damage Bonus": "-30% 25%", + "Damage Resist": "14%", + "Durability": "340", + "Impact Resist": "10%", + "Item Set": "Rust Lich Set", + "Mana Cost": "-15%", + "Movement Speed": "-2%", + "Object ID": "3000362", + "Protection": "1", + "Sell": "135", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f1/Rust_Lich_Boots.png/revision/latest/scale-to-width-down/83?cb=20200616185607", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Forge Master" + } + ], + "raw_rows": [ + [ + "Forge Master", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Rust Lich Boots is a type of Equipment in Outward." + }, + { + "name": "Rust Lich Helmet", + "url": "https://outward.fandom.com/wiki/Rust_Lich_Helmet", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "450", + "DLC": "The Soroboreans", + "Damage Bonus": "-30% 25%", + "Damage Resist": "14%", + "Durability": "340", + "Impact Resist": "10%", + "Item Set": "Rust Lich Set", + "Mana Cost": "-15%", + "Movement Speed": "-2%", + "Object ID": "3000361", + "Protection": "1", + "Sell": "135", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a4/Rust_Lich_Helmet.png/revision/latest/scale-to-width-down/83?cb=20200616185608", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Forge Master" + } + ], + "raw_rows": [ + [ + "Forge Master", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Rust Lich Helmet is a type of Equipment in Outward." + }, + { + "name": "Rust Lich Set", + "url": "https://outward.fandom.com/wiki/Rust_Lich_Set", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1725", + "DLC": "The Soroboreans", + "Damage Bonus": "-90% 25% 25% 25% 25%", + "Damage Resist": "50%", + "Durability": "1020", + "Impact Resist": "36%", + "Mana Cost": "-45%", + "Movement Speed": "-7%", + "Object ID": "3000360 (Chest)3000362 (Legs)3000361 (Head)", + "Protection": "4", + "Sell": "518", + "Slot": "Set", + "Stamina Cost": "7%", + "Weight": "25.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/33/Rust_Lich_Set.png/revision/latest/scale-to-width-down/250?cb=20201208180342", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "16%", + "column_5": "2", + "column_7": "3%", + "column_8": "-15%", + "column_9": "-3%", + "damage_bonus%": "-30% 25% 25%", + "durability": "340", + "name": "Rust Lich Armor", + "resistances": "22%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "1", + "column_7": "2%", + "column_8": "-15%", + "column_9": "-2%", + "damage_bonus%": "-30% 25%", + "durability": "340", + "name": "Rust Lich Boots", + "resistances": "14%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "1", + "column_7": "2%", + "column_8": "-15%", + "column_9": "-2%", + "damage_bonus%": "-30% 25%", + "durability": "340", + "name": "Rust Lich Helmet", + "resistances": "14%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Rust Lich Armor", + "22%", + "16%", + "2", + "-30% 25% 25%", + "3%", + "-15%", + "-3%", + "340", + "12.0", + "Body Armor" + ], + [ + "", + "Rust Lich Boots", + "14%", + "10%", + "1", + "-30% 25%", + "2%", + "-15%", + "-2%", + "340", + "8.0", + "Boots" + ], + [ + "", + "Rust Lich Helmet", + "14%", + "10%", + "1", + "-30% 25%", + "2%", + "-15%", + "-2%", + "340", + "5.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "16%", + "column_5": "2", + "column_7": "3%", + "column_8": "-15%", + "column_9": "-3%", + "damage_bonus%": "-30% 25% 25%", + "durability": "340", + "name": "Rust Lich Armor", + "resistances": "22%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "1", + "column_7": "2%", + "column_8": "-15%", + "column_9": "-2%", + "damage_bonus%": "-30% 25%", + "durability": "340", + "name": "Rust Lich Boots", + "resistances": "14%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "1", + "column_7": "2%", + "column_8": "-15%", + "column_9": "-2%", + "damage_bonus%": "-30% 25%", + "durability": "340", + "name": "Rust Lich Helmet", + "resistances": "14%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Rust Lich Armor", + "22%", + "16%", + "2", + "-30% 25% 25%", + "3%", + "-15%", + "-3%", + "340", + "12.0", + "Body Armor" + ], + [ + "", + "Rust Lich Boots", + "14%", + "10%", + "1", + "-30% 25%", + "2%", + "-15%", + "-2%", + "340", + "8.0", + "Boots" + ], + [ + "", + "Rust Lich Helmet", + "14%", + "10%", + "1", + "-30% 25%", + "2%", + "-15%", + "-2%", + "340", + "5.0", + "Helmets" + ] + ] + } + ], + "description": "Rust Lich Set is a Set in Outward." + }, + { + "name": "Rusted Spear", + "url": "https://outward.fandom.com/wiki/Rusted_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "22.8 15.2", + "Durability": "200", + "Impact": "24", + "Object ID": "2130310", + "Sell": "300", + "Stamina Cost": "5.2", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f5/Rusted_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220075238", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "22.8 15.2", + "description": "Two forward-thrusting stabs", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "31.92 21.28", + "description": "Forward-lunging strike", + "impact": "28.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "29.64 19.76", + "description": "Left-sweeping strike, jump back", + "impact": "28.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "27.36 18.24", + "description": "Fast spinning strike from the right", + "impact": "26.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "22.8 15.2", + "24", + "5.2", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "31.92 21.28", + "28.8", + "6.5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "29.64 19.76", + "28.8", + "6.5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.36 18.24", + "26.4", + "6.5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Rusted Spear is a type of Weapon in Outward." + }, + { + "name": "Salt", + "url": "https://outward.fandom.com/wiki/Salt", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "2", + "Object ID": "6000070", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/77/Salt.png/revision/latest/scale-to-width-down/83?cb=20200316064350", + "recipes": [ + { + "result": "Salt", + "result_count": "1x", + "ingredients": [ + "Salt Water" + ], + "station": "Campfire", + "source_page": "Salt" + }, + { + "result": "Alpha Jerky", + "result_count": "5x", + "ingredients": [ + "Raw Alpha Meat", + "Raw Alpha Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Battered Maize", + "result_count": "1x", + "ingredients": [ + "Maize", + "Torcrab Egg", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Bread", + "result_count": "3x", + "ingredients": [ + "Flour", + "Clean Water", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Charge – Incendiary", + "result_count": "3x", + "ingredients": [ + "Thick Oil", + "Iron Scrap", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Salt" + }, + { + "result": "Charge – Nerve Gas", + "result_count": "3x", + "ingredients": [ + "Blood Mushroom", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Salt" + }, + { + "result": "Charge – Toxic", + "result_count": "3x", + "ingredients": [ + "Grilled Crabeye Seed", + "Grilled Crabeye Seed", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Salt" + }, + { + "result": "Cierzo Ceviche", + "result_count": "3x", + "ingredients": [ + "Raw Rainbow Trout", + "Seaweed", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Hex Cleaner", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Livweedi", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Salt" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Pot-au-Feu du Pirate", + "result_count": "3x", + "ingredients": [ + "Fish", + "Fish", + "Fish", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Torcrab Jerky", + "result_count": "3x", + "ingredients": [ + "Raw Torcrab Meat", + "Raw Torcrab Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Torcrab Sandwich", + "result_count": "3x", + "ingredients": [ + "Salt", + "Bread", + "Raw Torcrab Meat", + "Raw Torcrab Meat" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Salt" + }, + { + "result": "Turmmip Potage", + "result_count": "3x", + "ingredients": [ + "Turmmip", + "Turmmip", + "Turmmip", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Salt" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Salt Water", + "result": "1x Salt", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Salt", + "Salt Water", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipes / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Alpha MeatRaw Alpha MeatSaltSalt", + "result": "5x Alpha Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MaizeTorcrab EggSalt", + "result": "1x Battered Maize", + "station": "Cooking Pot" + }, + { + "ingredients": "FlourClean WaterSalt", + "result": "3x Bread", + "station": "Cooking Pot" + }, + { + "ingredients": "Thick OilIron ScrapSalt", + "result": "3x Charge – Incendiary", + "station": "Alchemy Kit" + }, + { + "ingredients": "Blood MushroomLivweediSalt", + "result": "3x Charge – Nerve Gas", + "station": "Alchemy Kit" + }, + { + "ingredients": "Grilled Crabeye SeedGrilled Crabeye SeedSalt", + "result": "3x Charge – Toxic", + "station": "Alchemy Kit" + }, + { + "ingredients": "Raw Rainbow TroutSeaweedSalt", + "result": "3x Cierzo Ceviche", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's MeatSaltEggFlour", + "result": "1x Cipate", + "station": "Cooking Pot" + }, + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterGreasy FernLivweediSalt", + "result": "1x Hex Cleaner", + "station": "Alchemy Kit" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "FishFishFishSalt", + "result": "3x Pot-au-Feu du Pirate", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Raw Torcrab MeatRaw Torcrab MeatSaltSalt", + "result": "3x Torcrab Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "SaltBreadRaw Torcrab MeatRaw Torcrab Meat", + "result": "3x Torcrab Sandwich", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + }, + { + "ingredients": "TurmmipTurmmipTurmmipSalt", + "result": "3x Turmmip Potage", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "5x Alpha Jerky", + "Raw Alpha MeatRaw Alpha MeatSaltSalt", + "Cooking Pot" + ], + [ + "1x Battered Maize", + "MaizeTorcrab EggSalt", + "Cooking Pot" + ], + [ + "3x Bread", + "FlourClean WaterSalt", + "Cooking Pot" + ], + [ + "3x Charge – Incendiary", + "Thick OilIron ScrapSalt", + "Alchemy Kit" + ], + [ + "3x Charge – Nerve Gas", + "Blood MushroomLivweediSalt", + "Alchemy Kit" + ], + [ + "3x Charge – Toxic", + "Grilled Crabeye SeedGrilled Crabeye SeedSalt", + "Alchemy Kit" + ], + [ + "3x Cierzo Ceviche", + "Raw Rainbow TroutSeaweedSalt", + "Cooking Pot" + ], + [ + "1x Cipate", + "Boozu's MeatSaltEggFlour", + "Cooking Pot" + ], + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "1x Hex Cleaner", + "WaterGreasy FernLivweediSalt", + "Alchemy Kit" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Pot-au-Feu du Pirate", + "FishFishFishSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Torcrab Jerky", + "Raw Torcrab MeatRaw Torcrab MeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Torcrab Sandwich", + "SaltBreadRaw Torcrab MeatRaw Torcrab Meat", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ], + [ + "3x Turmmip Potage", + "TurmmipTurmmipTurmmipSalt", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Salt Crystal" + }, + { + "chance": "29.4%", + "quantity": "1 - 3", + "source": "Torcrab Nest" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Blue Sand (Gatherable)" + } + ], + "raw_rows": [ + [ + "Salt Crystal", + "3", + "100%" + ], + [ + "Torcrab Nest", + "1 - 3", + "29.4%" + ], + [ + "Blue Sand (Gatherable)", + "1", + "25%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "4 - 6", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "5", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "4", + "source": "Chef Tenno" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1 - 3", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "6", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "5 - 8", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 6", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1 - 3", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1 - 3", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1 - 3", + "source": "Silver-Nose the Trader" + }, + { + "chance": "37.9%", + "locations": "New Sirocco", + "quantity": "2 - 24", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "2 - 24", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "4 - 6", + "100%", + "New Sirocco" + ], + [ + "Chef Iasu", + "5", + "100%", + "Berg" + ], + [ + "Chef Tenno", + "4", + "100%", + "Levant" + ], + [ + "Gold Belly", + "1 - 3", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "100%", + "Cierzo" + ], + [ + "Ountz the Melon Farmer", + "6", + "100%", + "Monsoon" + ], + [ + "Patrick Arago, General Store", + "5 - 8", + "100%", + "New Sirocco" + ], + [ + "Pelletier Baker, Chef", + "3 - 6", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "1 - 3", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1 - 3", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1 - 3", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "1 - 3", + "100%", + "Hallowed Marsh" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 24", + "37.9%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "2 - 24", + "33%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "23.3%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "19.1%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "18.2%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Bandit" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Bandit Slave" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Baron Montgomery" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Crock" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Dawne" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Rospa Akiyuki" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "The Crusher" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "The Last Acolyte" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Vendavel Bandit" + }, + { + "chance": "17.8%", + "quantity": "1 - 2", + "source": "Yzan Argenson" + } + ], + "raw_rows": [ + [ + "Marsh Archer", + "1 - 4", + "23.3%" + ], + [ + "Bandit Defender", + "1 - 3", + "19.1%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "19.1%" + ], + [ + "Roland Argenson", + "1 - 3", + "19.1%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "18.2%" + ], + [ + "Bandit", + "1 - 2", + "17.8%" + ], + [ + "Bandit Slave", + "1 - 2", + "17.8%" + ], + [ + "Baron Montgomery", + "1 - 2", + "17.8%" + ], + [ + "Crock", + "1 - 2", + "17.8%" + ], + [ + "Dawne", + "1 - 2", + "17.8%" + ], + [ + "Rospa Akiyuki", + "1 - 2", + "17.8%" + ], + [ + "The Crusher", + "1 - 2", + "17.8%" + ], + [ + "The Last Acolyte", + "1 - 2", + "17.8%" + ], + [ + "Vendavel Bandit", + "1 - 2", + "17.8%" + ], + [ + "Yzan Argenson", + "1 - 2", + "17.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 8", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 8", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 8", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 8", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 8", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 8", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "1 - 8", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Compromised Mana Transfer Station, Under Island", + "quantity": "1 - 8", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters", + "quantity": "1 - 8", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress", + "quantity": "1 - 8", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 8", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 8", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 8", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 8", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 8", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 8", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 8", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 8", + "9.8%", + "Compromised Mana Transfer Station, Under Island" + ], + [ + "Looter's Corpse", + "1 - 8", + "9.8%", + "Abandoned Living Quarters" + ], + [ + "Ornate Chest", + "1 - 8", + "9.8%", + "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress" + ] + ] + } + ], + "description": "Salt is a common item used in cooking and alchemy in Outward." + }, + { + "name": "Salt Water", + "url": "https://outward.fandom.com/wiki/Salt_Water", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "0", + "Effects": "Water EffectIndigestion (50% chance)Removes Burning", + "Object ID": "5600002", + "Perish Time": "∞", + "Sell": "0", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/23/Waterskin-saltwater.png/revision/latest/scale-to-width-down/63?cb=20190402050502", + "effects": [ + "Restores 0 Drink", + "Player receives Water Effect", + "Player receives Indigestion (50% chance)", + "Removes Burning" + ], + "effect_links": [ + "/wiki/Water_Effect", + "/wiki/Burning" + ], + "recipes": [ + { + "result": "Salt", + "result_count": "1x", + "ingredients": [ + "Salt Water" + ], + "station": "Campfire", + "source_page": "Salt Water" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Salt Water", + "result": "1x Salt", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Salt", + "Salt Water", + "Campfire" + ] + ] + } + ], + "description": "Salt Water is a type of water in Outward. It is gathered with a Waterskin." + }, + { + "name": "Sanctifier Potion", + "url": "https://outward.fandom.com/wiki/Sanctifier_Potion", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "45", + "DLC": "The Soroboreans", + "Effects": "-20% Corruption", + "Object ID": "4300310", + "Perish Time": "∞", + "Sell": "14", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/12/Sanctifier_Potion.png/revision/latest/scale-to-width-down/83?cb=20200616185610", + "effects": [ + "Reduces Corruption by 20%" + ], + "recipes": [ + { + "result": "Sanctifier Potion", + "result_count": "3x", + "ingredients": [ + "Leyline Water", + "Purifying Quartz", + "Dreamer's Root", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Sanctifier Potion" + }, + { + "result": "Purity Potion", + "result_count": "3x", + "ingredients": [ + "Sanctifier Potion", + "Elemental Particle" + ], + "station": "Alchemy Kit", + "source_page": "Sanctifier Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Leyline Water Purifying Quartz Dreamer's Root Occult Remains", + "result": "3x Sanctifier Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Sanctifier Potion", + "Leyline Water Purifying Quartz Dreamer's Root Occult Remains", + "Alchemy Kit" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Sanctifier PotionElemental Particle", + "result": "3x Purity Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Purity Potion", + "Sanctifier PotionElemental Particle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "1 - 2", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1 - 2", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1 - 2", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 2", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1 - 2", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 5", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Apprentice Ritualist", + "1 - 2", + "100%", + "Ritualist's hut" + ], + [ + "Helmi the Alchemist", + "1 - 2", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "1 - 2", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 2", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "1 - 2", + "100%", + "New Sirocco" + ], + [ + "Pholiota/High Stock", + "2 - 5", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "1 - 2", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1 - 2", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "67.2%", + "quantity": "1 - 5", + "source": "Pure Illuminator" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Captain" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Mercenary" + }, + { + "chance": "14.8%", + "quantity": "1 - 2", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Pure Illuminator", + "1 - 5", + "67.2%" + ], + [ + "Wolfgang Captain", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Mercenary", + "1 - 2", + "14.8%" + ], + [ + "Wolfgang Veteran", + "1 - 2", + "14.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.3%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "5.3%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5.3%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5.3%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "5.3%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5.3%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 2", + "5.3%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "5.3%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 2", + "5.3%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 2", + "5.3%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 2", + "5.3%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "5.3%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Sanctifier Potion is an Item in Outward." + }, + { + "name": "Sandals", + "url": "https://outward.fandom.com/wiki/Sandals", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "20", + "Damage Resist": "2%", + "Durability": "150", + "Hot Weather Def.": "6", + "Impact Resist": "2%", + "Item Set": "Light Clothes Set", + "Object ID": "3000174", + "Sell": "6", + "Slot": "Legs", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6f/Sandals.png/revision/latest?cb=20190415155722", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Sandals" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Sandals" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Sandals" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +12% Impact resistance", + "enchantment": "Unwavering Determination" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unwavering Determination", + "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +12% Impact resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "12.1%", + "quantity": "1", + "source": "Fishing/River (Enmerkar Forest)" + } + ], + "raw_rows": [ + [ + "Fishing/River (Enmerkar Forest)", + "1", + "12.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "48.8%", + "quantity": "1 - 4", + "source": "That Annoying Troglodyte" + } + ], + "raw_rows": [ + [ + "That Annoying Troglodyte", + "1 - 4", + "48.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "10%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "10%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "10%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "10%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "10%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "10%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "10%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Sandals is a type of Armor in Outward." + }, + { + "name": "Sandrose", + "url": "https://outward.fandom.com/wiki/Sandrose", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "52", + "Durability": "600", + "Effects": "Blaze-30% Frost resistance", + "Impact": "35", + "Object ID": "2010285", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5a/Sandrose.png/revision/latest/scale-to-width-down/83?cb=20201220075240", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (40% buildup)", + "Reduces Frost resistance by -30%" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "52", + "description": "Two slashing strikes, right to left", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.72", + "damage": "67.6", + "description": "Fast, triple-attack strike", + "impact": "45.5", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "67.6", + "description": "Quick double strike", + "impact": "45.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "67.6", + "description": "Wide-sweeping double strike", + "impact": "45.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "52", + "35", + "5.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "67.6", + "45.5", + "6.72", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "67.6", + "45.5", + "6.72", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "67.6", + "45.5", + "6.72", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Sandrose is a Unique type of Weapon in Outward." + }, + { + "name": "Sanguine Cleaver", + "url": "https://outward.fandom.com/wiki/Sanguine_Cleaver", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "Damage": "30", + "Durability": "400", + "Effects": "Extreme Bleeding", + "Impact": "40", + "Object ID": "2140011", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Halberd", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/64/Sanguine_Cleaver.png/revision/latest/scale-to-width-down/83?cb=20190629155352", + "effects": [ + "Inflicts Extreme Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Extreme_Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Sanguine Cleaver" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "30", + "description": "Two wide-sweeping strikes, left to right", + "impact": "40", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "39", + "description": "Forward-thrusting strike", + "impact": "52", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "39", + "description": "Wide-sweeping strike from left", + "impact": "52", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "51", + "description": "Slow but powerful sweeping strike", + "impact": "68", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "30", + "40", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "39", + "52", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "39", + "52", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "51", + "68", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Cleaver Halberd", + "upgrade": "Sanguine Cleaver" + } + ], + "raw_rows": [ + [ + "Cleaver Halberd", + "Sanguine Cleaver" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +80% of the existing weapon's physical damage as Physical damageAdds +18 bonus ImpactWeapon now inflicts Curse (35% buildup)", + "enchantment": "Abomination" + }, + { + "effects": "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)", + "enchantment": "Crumbling Anger" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Abomination", + "Adds +80% of the existing weapon's physical damage as Physical damageAdds +18 bonus ImpactWeapon now inflicts Curse (35% buildup)" + ], + [ + "Crumbling Anger", + "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Sanguine Cleaver is a type of Two-Handed Polearm weapon in Outward." + }, + { + "name": "Savage Axe", + "url": "https://outward.fandom.com/wiki/Savage_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "300", + "Class": "Axes", + "Damage": "27", + "Durability": "300", + "Effects": "Bleeding", + "Impact": "22", + "Item Set": "Savage Set", + "Object ID": "2010041", + "Sell": "90", + "Stamina Cost": "5", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3c/Savage_Axe.png/revision/latest/scale-to-width-down/83?cb=20190629155354", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Savage Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "27", + "description": "Two slashing strikes, right to left", + "impact": "22", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6", + "damage": "35.1", + "description": "Fast, triple-attack strike", + "impact": "28.6", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6", + "damage": "35.1", + "description": "Quick double strike", + "impact": "28.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6", + "damage": "35.1", + "description": "Wide-sweeping double strike", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "27", + "22", + "5", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "35.1", + "28.6", + "6", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "35.1", + "28.6", + "6", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "35.1", + "28.6", + "6", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fang Axe", + "upgrade": "Savage Axe" + } + ], + "raw_rows": [ + [ + "Fang Axe", + "Savage Axe" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Savage Axe is a type of One-Handed Axe weapon in Outward." + }, + { + "name": "Savage Club", + "url": "https://outward.fandom.com/wiki/Savage_Club", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "300", + "Class": "Maces", + "Damage": "33", + "Durability": "375", + "Effects": "Bleeding", + "Impact": "35", + "Item Set": "Savage Set", + "Object ID": "2020051", + "Sell": "90", + "Stamina Cost": "5", + "Type": "One-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/68/Savage_Club.png/revision/latest/scale-to-width-down/83?cb=20190629155355", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Savage Club" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "33", + "description": "Two wide-sweeping strikes, right to left", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "42.9", + "description": "Slow, overhead strike with high impact", + "impact": "87.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "42.9", + "description": "Fast, forward-thrusting strike", + "impact": "45.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "42.9", + "description": "Fast, forward-thrusting strike", + "impact": "45.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "35", + "5", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "42.9", + "87.5", + "6.5", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "42.9", + "45.5", + "6.5", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "42.9", + "45.5", + "6.5", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fang Club", + "upgrade": "Savage Club" + } + ], + "raw_rows": [ + [ + "Fang Club", + "Savage Club" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Savage Club is a type of One-Handed Mace weapon in Outward." + }, + { + "name": "Savage Fang Knuckles", + "url": "https://outward.fandom.com/wiki/Savage_Fang_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "300", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "26", + "Durability": "275", + "Effects": "Bleeding", + "Impact": "15", + "Item Set": "Savage Set", + "Object ID": "2160031", + "Sell": "90", + "Stamina Cost": "2.5", + "Type": "Two-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/94/Savage_Fang_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20200616185611", + "effects": [ + "Inflicts Bleeding (22.5% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.5", + "damage": "26", + "description": "Four fast punches, right to left", + "impact": "15", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.25", + "damage": "33.8", + "description": "Forward-lunging left hook", + "impact": "19.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3", + "damage": "33.8", + "description": "Left dodging, left uppercut", + "impact": "19.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3", + "damage": "33.8", + "description": "Right dodging, right spinning hammer strike", + "impact": "19.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "26", + "15", + "2.5", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "33.8", + "19.5", + "3.25", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "33.8", + "19.5", + "3", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "33.8", + "19.5", + "3", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fang Knuckles", + "upgrade": "Savage Fang Knuckles" + } + ], + "raw_rows": [ + [ + "Fang Knuckles", + "Savage Fang Knuckles" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Savage Fang Knuckles is a type of Weapon in Outward." + }, + { + "name": "Savage Greataxe", + "url": "https://outward.fandom.com/wiki/Savage_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "375", + "Class": "Axes", + "Damage": "38", + "Durability": "350", + "Effects": "Bleeding", + "Impact": "33", + "Item Set": "Savage Set", + "Object ID": "2110011", + "Sell": "112", + "Stamina Cost": "6.9", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Savage_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20190629155356", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Savage Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.9", + "damage": "38", + "description": "Two slashing strikes, left to right", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.49", + "damage": "49.4", + "description": "Uppercut strike into right sweep strike", + "impact": "42.9", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.49", + "damage": "49.4", + "description": "Left-spinning double strike", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.32", + "damage": "49.4", + "description": "Right-spinning double strike", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "38", + "33", + "6.9", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "49.4", + "42.9", + "9.49", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "49.4", + "42.9", + "9.49", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.4", + "42.9", + "9.32", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fang Greataxe", + "upgrade": "Savage Greataxe" + } + ], + "raw_rows": [ + [ + "Fang Greataxe", + "Savage Greataxe" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Savage Greataxe is a type of Two-Handed Axe weapon in Outward." + }, + { + "name": "Savage Greatclub", + "url": "https://outward.fandom.com/wiki/Savage_Greatclub", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "375", + "Class": "Maces", + "Damage": "35", + "Durability": "400", + "Effects": "Bleeding", + "Impact": "43", + "Item Set": "Savage Set", + "Object ID": "2120021", + "Sell": "112", + "Stamina Cost": "6.9", + "Type": "Two-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/10/Savage_Greatclub.png/revision/latest/scale-to-width-down/83?cb=20190629155358", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Savage Greatclub" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.9", + "damage": "35", + "description": "Two slashing strikes, left to right", + "impact": "43", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.28", + "damage": "26.25", + "description": "Blunt strike with high impact", + "impact": "86", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.28", + "damage": "49", + "description": "Powerful overhead strike", + "impact": "60.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.28", + "damage": "49", + "description": "Forward-running uppercut strike", + "impact": "60.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "35", + "43", + "6.9", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "26.25", + "86", + "8.28", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "49", + "60.2", + "8.28", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "49", + "60.2", + "8.28", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fang Greatclub", + "upgrade": "Savage Greatclub" + } + ], + "raw_rows": [ + [ + "Fang Greatclub", + "Savage Greatclub" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Savage Greatclub is a type of Two-Handed Mace weapon in Outward." + }, + { + "name": "Savage Greatsword", + "url": "https://outward.fandom.com/wiki/Savage_Greatsword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "375", + "Class": "Swords", + "Damage": "37", + "Durability": "325", + "Effects": "Bleeding", + "Impact": "35", + "Item Set": "Savage Set", + "Object ID": "2100021", + "Sell": "112", + "Stamina Cost": "6.9", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/81/Savage_Greatsword.png/revision/latest/scale-to-width-down/83?cb=20190629155359", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Savage Greatsword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.9", + "damage": "37", + "description": "Two slashing strikes, left to right", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.97", + "damage": "55.5", + "description": "Overhead downward-thrusting strike", + "impact": "52.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.59", + "damage": "46.81", + "description": "Spinning strike from the right", + "impact": "38.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.59", + "damage": "46.81", + "description": "Spinning strike from the left", + "impact": "38.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37", + "35", + "6.9", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "55.5", + "52.5", + "8.97", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "46.81", + "38.5", + "7.59", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "46.81", + "38.5", + "7.59", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fang Greatsword", + "upgrade": "Savage Greatsword" + } + ], + "raw_rows": [ + [ + "Fang Greatsword", + "Savage Greatsword" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Savage Greatsword is a type of Two-Handed Sword weapon in Outward." + }, + { + "name": "Savage Halberd", + "url": "https://outward.fandom.com/wiki/Savage_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "375", + "Class": "Polearms", + "Damage": "31", + "Durability": "350", + "Effects": "Bleeding", + "Impact": "37", + "Item Set": "Savage Set", + "Object ID": "2140021", + "Sell": "112", + "Stamina Cost": "6.3", + "Type": "Halberd", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/46/Savage_Halberd.png/revision/latest/scale-to-width-down/83?cb=20190629155400", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Savage Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.3", + "damage": "31", + "description": "Two wide-sweeping strikes, left to right", + "impact": "37", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "40.3", + "description": "Forward-thrusting strike", + "impact": "48.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.88", + "damage": "40.3", + "description": "Wide-sweeping strike from left", + "impact": "48.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.03", + "damage": "52.7", + "description": "Slow but powerful sweeping strike", + "impact": "62.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "31", + "37", + "6.3", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "40.3", + "48.1", + "7.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "40.3", + "48.1", + "7.88", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "52.7", + "62.9", + "11.03", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fang Halberd", + "upgrade": "Savage Halberd" + } + ], + "raw_rows": [ + [ + "Fang Halberd", + "Savage Halberd" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Savage Halberd is a type of Two-Handed Polearm weapon in Outward." + }, + { + "name": "Savage Shield", + "url": "https://outward.fandom.com/wiki/Savage_Shield", + "categories": [ + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Shields", + "Damage": "18", + "Durability": "300", + "Effects": "Extreme Bleeding", + "Impact": "43", + "Impact Resist": "15%", + "Item Set": "Savage Set", + "Object ID": "2300210", + "Sell": "60", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/91/Savage_Shield.png/revision/latest/scale-to-width-down/83?cb=20190629155402", + "effects": [ + "Inflicts Extreme Bleeding (60% buildup)" + ], + "effect_links": [ + "/wiki/Extreme_Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Savage Shield" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fang Shield", + "upgrade": "Savage Shield" + } + ], + "raw_rows": [ + [ + "Fang Shield", + "Savage Shield" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Savage Shield is a type of Shield in Outward." + }, + { + "name": "Savage Stew", + "url": "https://outward.fandom.com/wiki/Savage_Stew", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Health Recovery 3RageImpact Resistance Up", + "Hunger": "30%", + "Object ID": "4100410", + "Perish Time": "11 Days 21 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/98/Savage_Stew.png/revision/latest/scale-to-width-down/83?cb=20190410134241", + "effects": [ + "Restores 30% Hunger", + "Player receives Rage", + "Player receives Impact Resistance Up", + "Player receives Health Recovery (level 3)" + ], + "effect_links": [ + "/wiki/Rage" + ], + "recipes": [ + { + "result": "Savage Stew", + "result_count": "3x", + "ingredients": [ + "Raw Alpha Meat", + "Marshmelon", + "Gravel Beetle" + ], + "station": "Cooking Pot", + "source_page": "Savage Stew" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Savage Stew" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Savage Stew" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Alpha Meat Marshmelon Gravel Beetle", + "result": "3x Savage Stew", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Savage Stew", + "Raw Alpha Meat Marshmelon Gravel Beetle", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1 - 3", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Chef Iasu", + "1", + "100%", + "Berg" + ], + [ + "Ountz the Melon Farmer", + "1 - 3", + "100%", + "Monsoon" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "18.2%", + "locations": "Old Hunter's Cabin", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "18.2%", + "locations": "Berg", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "18.2%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "18.2%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "18.2%", + "locations": "Cabal of Wind Temple, Face of the Ancients", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "18.2%", + "Old Hunter's Cabin" + ], + [ + "Junk Pile", + "1", + "18.2%", + "Berg" + ], + [ + "Knight's Corpse", + "1", + "18.2%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Stash", + "1", + "18.2%", + "Berg" + ], + [ + "Worker's Corpse", + "1", + "18.2%", + "Cabal of Wind Temple, Face of the Ancients" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Savage Stew is a dish in Outward." + }, + { + "name": "Savage Sword", + "url": "https://outward.fandom.com/wiki/Savage_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "300", + "Class": "Swords", + "Damage": "25", + "Durability": "250", + "Effects": "Bleeding", + "Impact": "20", + "Item Set": "Savage Set", + "Object ID": "2000051", + "Sell": "90", + "Stamina Cost": "4.375", + "Type": "One-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ee/Savage_Sword.png/revision/latest/scale-to-width-down/83?cb=20190629155403", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Savage Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.375", + "damage": "25", + "description": "Two slash attacks, left to right", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.25", + "damage": "37.38", + "description": "Forward-thrusting strike", + "impact": "26", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.81", + "damage": "31.62", + "description": "Heavy left-lunging strike", + "impact": "22", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.81", + "damage": "31.62", + "description": "Heavy right-lunging strike", + "impact": "22", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "20", + "4.375", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "37.38", + "26", + "5.25", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "31.62", + "22", + "4.81", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "31.62", + "22", + "4.81", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fang Sword", + "upgrade": "Savage Sword" + } + ], + "raw_rows": [ + [ + "Fang Sword", + "Savage Sword" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Savage Sword is a type of One-Handed Sword weapon in Outward." + }, + { + "name": "Savage Trident", + "url": "https://outward.fandom.com/wiki/Savage_Trident", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "375", + "Class": "Spears", + "Damage": "32", + "Durability": "375", + "Effects": "Bleeding", + "Impact": "28", + "Item Set": "Savage Set", + "Object ID": "2130022", + "Sell": "112", + "Stamina Cost": "5", + "Type": "Two-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ab/Savage_Trident.png/revision/latest/scale-to-width-down/83?cb=20190629155404", + "effects": [ + "Inflicts Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Savage Trident" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "32", + "description": "Two forward-thrusting stabs", + "impact": "28", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "44.8", + "description": "Forward-lunging strike", + "impact": "33.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "41.6", + "description": "Left-sweeping strike, jump back", + "impact": "33.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "38.4", + "description": "Fast spinning strike from the right", + "impact": "30.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "32", + "28", + "5", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "44.8", + "33.6", + "6.25", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "41.6", + "33.6", + "6.25", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "38.4", + "30.8", + "6.25", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Fang Trident", + "upgrade": "Savage Trident" + } + ], + "raw_rows": [ + [ + "Fang Trident", + "Savage Trident" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed", + "enchantment": "Favorable Wind" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Favorable Wind", + "Adds +20% of the existing weapon's physical damage as Ethereal damageWeapon gains +0.1 flat Attack Speed" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Savage Trident is a type of Two-Handed Spear weapon in Outward." + }, + { + "name": "Scaled Leather", + "url": "https://outward.fandom.com/wiki/Scaled_Leather", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "23", + "Object ID": "6600030", + "Sell": "7", + "Type": "Ingredient", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d8/Scaled_Leather.png/revision/latest/scale-to-width-down/83?cb=20190617150656", + "recipes": [ + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Scaled Leather" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Scaled Leather" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Scaled Leather" + }, + { + "result": "Scaled Satchel", + "result_count": "1x", + "ingredients": [ + "Primitive Satchel", + "Scaled Leather", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Scaled Leather" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + }, + { + "ingredients": "Primitive SatchelScaled LeatherScaled LeatherScaled Leather", + "result": "1x Scaled Satchel", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ], + [ + "1x Scaled Satchel", + "Primitive SatchelScaled LeatherScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "54.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "53.4%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "53.4%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "53.4%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "49.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "49.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "49.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "49.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "49.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "48.9%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "48%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "38.6%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + }, + { + "chance": "37%", + "locations": "Harmattan", + "quantity": "1 - 8", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "54.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "53.4%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "53.4%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "53.4%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "49.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "49.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "49.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "49.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "49.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "48.9%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "48%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "38.6%", + "Cierzo" + ], + [ + "David Parks, Craftsman", + "1 - 8", + "37%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Alpha Tuanosaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Glacial Tuanosaur" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Phytoflora" + }, + { + "chance": "100%", + "quantity": "2", + "source": "Royal Manticore" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Tuanosaur" + }, + { + "chance": "53%", + "quantity": "1 - 3", + "source": "Sandrose Horror" + }, + { + "chance": "53%", + "quantity": "1 - 3", + "source": "Shell Horror" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Bloody Beast" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Razorhorn Stekosaur" + }, + { + "chance": "50%", + "quantity": "1", + "source": "Stekosaur" + }, + { + "chance": "49%", + "quantity": "1 - 4", + "source": "Boreo" + }, + { + "chance": "25%", + "quantity": "1 - 2", + "source": "Manticore" + }, + { + "chance": "24.7%", + "quantity": "1", + "source": "Crescent Shark" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Illuminator Horror" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Vile Illuminator" + } + ], + "raw_rows": [ + [ + "Alpha Tuanosaur", + "1", + "100%" + ], + [ + "Glacial Tuanosaur", + "1", + "100%" + ], + [ + "Phytoflora", + "1", + "100%" + ], + [ + "Royal Manticore", + "2", + "100%" + ], + [ + "Tuanosaur", + "1", + "100%" + ], + [ + "Sandrose Horror", + "1 - 3", + "53%" + ], + [ + "Shell Horror", + "1 - 3", + "53%" + ], + [ + "Bloody Beast", + "1", + "50%" + ], + [ + "Razorhorn Stekosaur", + "1", + "50%" + ], + [ + "Stekosaur", + "1", + "50%" + ], + [ + "Boreo", + "1 - 4", + "49%" + ], + [ + "Manticore", + "1 - 2", + "25%" + ], + [ + "Crescent Shark", + "1", + "24.7%" + ], + [ + "Illuminator Horror", + "1", + "16.7%" + ], + [ + "Vile Illuminator", + "1", + "16.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Scaled Leather is a crafting item obtained by skinning scaled beasts." + }, + { + "name": "Scaled Leather Attire", + "url": "https://outward.fandom.com/wiki/Scaled_Leather_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "180", + "Damage Bonus": "15%", + "Damage Resist": "15% 10%", + "Durability": "195", + "Impact Resist": "13%", + "Item Set": "Scaled Leather Set", + "Object ID": "3000290", + "Pouch Bonus": "5", + "Sell": "59", + "Slot": "Chest", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/50/Scaled_Leather_Attire.png/revision/latest?cb=20190415125327", + "recipes": [ + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Scaled Leather Attire" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Armor Scaled Leather Scaled Leather Predator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Scaled Leather Attire", + "Basic Armor Scaled Leather Scaled Leather Predator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots", + "enchantment": "Beast of Burden" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Beast of Burden", + "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Scaled Leather Attire is a craftable type of Body Armor in Outward." + }, + { + "name": "Scaled Leather Boots", + "url": "https://outward.fandom.com/wiki/Scaled_Leather_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "100", + "Damage Bonus": "7%", + "Damage Resist": "8% 5%", + "Durability": "195", + "Impact Resist": "11%", + "Item Set": "Scaled Leather Set", + "Object ID": "3000292", + "Sell": "33", + "Slot": "Legs", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/18/Scaled_Leather_Boots.png/revision/latest?cb=20190410225043", + "recipes": [ + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Scaled Leather Boots" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Boots Scaled Leather Scaled Leather Predator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Scaled Leather Boots", + "Basic Boots Scaled Leather Scaled Leather Predator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots", + "enchantment": "Beast of Burden" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Beast of Burden", + "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Scaled Leather Boots is a craftable type of Armor in Outward." + }, + { + "name": "Scaled Leather Hat", + "url": "https://outward.fandom.com/wiki/Scaled_Leather_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "100", + "Damage Bonus": "7%", + "Damage Resist": "8% 5%", + "Durability": "195", + "Impact Resist": "11%", + "Item Set": "Scaled Leather Set", + "Object ID": "3000291", + "Sell": "30", + "Slot": "Head", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a4/Scaled_Leather_Hat.png/revision/latest?cb=20190407081858", + "recipes": [ + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Scaled Leather Hat" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic Helm Predator Bones Scaled Leather Scaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Scaled Leather Hat", + "Basic Helm Predator Bones Scaled Leather Scaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots", + "enchantment": "Beast of Burden" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Beast of Burden", + "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Scaled Leather Hat is a craftable type of Armor in Outward." + }, + { + "name": "Scaled Leather Set", + "url": "https://outward.fandom.com/wiki/Scaled_Leather_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "380", + "Damage Bonus": "29%", + "Damage Resist": "31% 20%", + "Durability": "585", + "Impact Resist": "35%", + "Object ID": "3000290 (Chest)3000292 (Legs)3000291 (Head)", + "Pouch Bonus": "5", + "Sell": "122", + "Slot": "Set", + "Weight": "18.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/88/Scaled_leather_set.png/revision/latest/scale-to-width-down/247?cb=20190415211324", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "13%", + "damage_bonus%": "15%", + "durability": "195", + "name": "Scaled Leather Attire", + "pouch_bonus": "5", + "resistances": "15% 10%", + "weight": "9.0" + }, + { + "class": "Boots", + "column_4": "11%", + "damage_bonus%": "7%", + "durability": "195", + "name": "Scaled Leather Boots", + "pouch_bonus": "–", + "resistances": "8% 5%", + "weight": "5.0" + }, + { + "class": "Helmets", + "column_4": "11%", + "damage_bonus%": "7%", + "durability": "195", + "name": "Scaled Leather Hat", + "pouch_bonus": "–", + "resistances": "8% 5%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Scaled Leather Attire", + "15% 10%", + "13%", + "15%", + "5", + "195", + "9.0", + "Body Armor" + ], + [ + "", + "Scaled Leather Boots", + "8% 5%", + "11%", + "7%", + "–", + "195", + "5.0", + "Boots" + ], + [ + "", + "Scaled Leather Hat", + "8% 5%", + "11%", + "7%", + "–", + "195", + "4.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Capacity", + "Durability", + "Weight", + "Effects", + "Preservation", + "Class" + ], + "rows": [ + { + "capacity": "60", + "class": "Backpack", + "durability": "∞", + "effects": "No dodge interference", + "name": "Scaled Satchel", + "preservation": "4%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Scaled Satchel", + "60", + "∞", + "2.0", + "No dodge interference", + "4%", + "Backpack" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "13%", + "damage_bonus%": "15%", + "durability": "195", + "name": "Scaled Leather Attire", + "pouch_bonus": "5", + "resistances": "15% 10%", + "weight": "9.0" + }, + { + "class": "Boots", + "column_4": "11%", + "damage_bonus%": "7%", + "durability": "195", + "name": "Scaled Leather Boots", + "pouch_bonus": "–", + "resistances": "8% 5%", + "weight": "5.0" + }, + { + "class": "Helmets", + "column_4": "11%", + "damage_bonus%": "7%", + "durability": "195", + "name": "Scaled Leather Hat", + "pouch_bonus": "–", + "resistances": "8% 5%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Scaled Leather Attire", + "15% 10%", + "13%", + "15%", + "5", + "195", + "9.0", + "Body Armor" + ], + [ + "", + "Scaled Leather Boots", + "8% 5%", + "11%", + "7%", + "–", + "195", + "5.0", + "Boots" + ], + [ + "", + "Scaled Leather Hat", + "8% 5%", + "11%", + "7%", + "–", + "195", + "4.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Capacity", + "Durability", + "Weight", + "Effects", + "Preservation", + "Class" + ], + "rows": [ + { + "capacity": "60", + "class": "Backpack", + "durability": "∞", + "effects": "No dodge interference", + "name": "Scaled Satchel", + "preservation": "4%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Scaled Satchel", + "60", + "∞", + "2.0", + "No dodge interference", + "4%", + "Backpack" + ] + ] + } + ], + "description": "Scaled Leather Set is a Set in Outward." + }, + { + "name": "Scaled Satchel", + "url": "https://outward.fandom.com/wiki/Scaled_Satchel", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "100", + "Capacity": "60", + "Class": "Backpacks", + "Durability": "∞", + "Effects": "No dodge interference", + "Item Set": "Scaled Leather Set", + "Object ID": "5300150", + "Preservation Amount": "4%", + "Sell": "30", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bc/Scaled_Satchel.png/revision/latest?cb=20190411000349", + "effects": [ + "No dodge interference", + "Slows down the decay of perishable items by 4%." + ], + "recipes": [ + { + "result": "Scaled Satchel", + "result_count": "1x", + "ingredients": [ + "Primitive Satchel", + "Scaled Leather", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Scaled Satchel" + }, + { + "result": "Boozu Hide Backpack", + "result_count": "1x", + "ingredients": [ + "Scaled Satchel", + "Boozu's Hide", + "Boozu's Hide", + "Boozu's Hide" + ], + "station": "None", + "source_page": "Scaled Satchel" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Primitive Satchel Scaled Leather Scaled Leather Scaled Leather", + "result": "1x Scaled Satchel", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Scaled Satchel", + "Primitive Satchel Scaled Leather Scaled Leather Scaled Leather", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Scaled SatchelBoozu's HideBoozu's HideBoozu's Hide", + "result": "1x Boozu Hide Backpack", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Boozu Hide Backpack", + "Scaled SatchelBoozu's HideBoozu's HideBoozu's Hide", + "None" + ] + ] + } + ], + "description": "The Scaled Satchel is one of the Backpacks in outward." + }, + { + "name": "Scarab Mask", + "url": "https://outward.fandom.com/wiki/Scarab_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "125", + "Damage Resist": "10% 20%", + "Durability": "180", + "Impact Resist": "20%", + "Object ID": "3000101", + "Sell": "38", + "Slot": "Head", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/10/Scarab_Mask.png/revision/latest?cb=20190407081653", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Stone Titan Caves", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, Electric Lab, The Slide, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Captain's Cabin, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Levant", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Stone Titan Caves" + ], + [ + "Chest", + "1", + "5.9%", + "Abrassar, Electric Lab, The Slide, Undercity Passage" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Captain's Cabin, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Abrassar, The Slide, Undercity Passage" + ], + [ + "Stash", + "1", + "5.9%", + "Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Scarab Mask is a type of Armor in Outward." + }, + { + "name": "Scarlet Boots", + "url": "https://outward.fandom.com/wiki/Scarlet_Boots", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "525", + "DLC": "The Three Brothers", + "Damage Bonus": "15% 15%", + "Damage Resist": "4%", + "Durability": "290", + "Impact Resist": "4%", + "Item Set": "Scarlet Set", + "Object ID": "3100482", + "Sell": "157", + "Slot": "Legs", + "Status Resist": "-10%", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3c/Scarlet_Boots.png/revision/latest/scale-to-width-down/83?cb=20201220075243", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Crimson Avatar" + } + ], + "raw_rows": [ + [ + "Crimson Avatar", + "1", + "100%" + ] + ] + } + ], + "description": "Scarlet Boots is a type of Equipment in Outward." + }, + { + "name": "Scarlet Gem", + "url": "https://outward.fandom.com/wiki/Scarlet_Gem", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "3", + "DLC": "The Three Brothers", + "Object ID": "4400110", + "Sell": "1", + "Type": "Ingredient", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/24/Scarlet_Gem.png/revision/latest/scale-to-width-down/83?cb=20201220075244", + "recipes": [ + { + "result": "Revenant Moon", + "result_count": "1x", + "ingredients": [ + "Cracked Red Moon", + "Scarlet Gem" + ], + "station": "None", + "source_page": "Scarlet Gem" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cracked Red MoonScarlet Gem", + "result": "1x Revenant Moon", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Revenant Moon", + "Cracked Red MoonScarlet Gem", + "None" + ] + ] + } + ], + "description": "Scarlet Gem is an Item in Outward." + }, + { + "name": "Scarlet Lich's Idol", + "url": "https://outward.fandom.com/wiki/Scarlet_Lich%27s_Idol", + "categories": [ + "Other", + "Items" + ], + "infobox": { + "Buy": "1", + "Object ID": "5600030", + "Sell": "0", + "Type": "Other", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/82/Scarlet_lichs_idol.png/revision/latest?cb=20190408133216", + "description": "Scarlet Lich's Idol is an unique item in Outward." + }, + { + "name": "Scarlet Mask", + "url": "https://outward.fandom.com/wiki/Scarlet_Mask", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "500", + "DLC": "The Three Brothers", + "Damage Bonus": "15% 15%", + "Damage Resist": "4%", + "Durability": "290", + "Impact Resist": "4%", + "Item Set": "Scarlet Set", + "Object ID": "3100481", + "Sell": "150", + "Slot": "Head", + "Status Resist": "-10%", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f3/Scarlet_Mask.png/revision/latest/scale-to-width-down/83?cb=20201220075245", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Crimson Avatar" + } + ], + "raw_rows": [ + [ + "Crimson Avatar", + "1", + "100%" + ] + ] + } + ], + "description": "Scarlet Mask is a type of Equipment in Outward." + }, + { + "name": "Scarlet Robes", + "url": "https://outward.fandom.com/wiki/Scarlet_Robes", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "1050", + "DLC": "The Three Brothers", + "Damage Bonus": "15% 15% 15%", + "Damage Resist": "10%", + "Durability": "290", + "Impact Resist": "5%", + "Item Set": "Scarlet Set", + "Mana Cost": "-20%", + "Object ID": "3100480", + "Sell": "315", + "Slot": "Chest", + "Status Resist": "-15%", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b0/Scarlet_Robes.png/revision/latest/scale-to-width-down/83?cb=20201220075246", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Crimson Avatar" + } + ], + "raw_rows": [ + [ + "Crimson Avatar", + "1", + "100%" + ] + ] + } + ], + "description": "Scarlet Robes is a type of Equipment in Outward." + }, + { + "name": "Scarlet Set", + "url": "https://outward.fandom.com/wiki/Scarlet_Set", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "2075", + "DLC": "The Three Brothers", + "Damage Bonus": "15% 45% 15% 15% 15%", + "Damage Resist": "18%", + "Durability": "870", + "Impact Resist": "13%", + "Mana Cost": "-20%", + "Object ID": "3100482 (Legs)3100481 (Head)3100480 (Chest)", + "Sell": "622", + "Slot": "Set", + "Status Resist": "-35%", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c9/Scarlet_Set.png/revision/latest/scale-to-width-down/250?cb=20201231064047", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "4%", + "column_5": "-10%", + "column_7": "–", + "damage_bonus%": "15% 15%", + "durability": "290", + "name": "Scarlet Boots", + "resistances": "4%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "4%", + "column_5": "-10%", + "column_7": "–", + "damage_bonus%": "15% 15%", + "durability": "290", + "name": "Scarlet Mask", + "resistances": "4%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "5%", + "column_5": "-15%", + "column_7": "-20%", + "damage_bonus%": "15% 15% 15%", + "durability": "290", + "name": "Scarlet Robes", + "resistances": "10%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Scarlet Boots", + "4%", + "4%", + "-10%", + "15% 15%", + "–", + "290", + "2.0", + "Boots" + ], + [ + "", + "Scarlet Mask", + "4%", + "4%", + "-10%", + "15% 15%", + "–", + "290", + "1.0", + "Helmets" + ], + [ + "", + "Scarlet Robes", + "10%", + "5%", + "-15%", + "15% 15% 15%", + "-20%", + "290", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Damage Bonus%", + "Column 8", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Staff", + "column_4": "40", + "column_5": "6.5", + "column_8": "–", + "damage": "25", + "damage_bonus%": "15%", + "durability": "200", + "effects": "Blaze", + "name": "Cracked Red Moon", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Staff", + "column_4": "40", + "column_5": "7", + "column_8": "20%", + "damage": "30", + "damage_bonus%": "35%", + "durability": "300", + "effects": "Blaze", + "name": "Revenant Moon", + "speed": "1.0", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Cracked Red Moon", + "25", + "40", + "6.5", + "1.0", + "15%", + "–", + "200", + "5.0", + "Blaze", + "Staff" + ], + [ + "", + "Revenant Moon", + "30", + "40", + "7", + "1.0", + "35%", + "20%", + "300", + "5.0", + "Blaze", + "Staff" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "4%", + "column_5": "-10%", + "column_7": "–", + "damage_bonus%": "15% 15%", + "durability": "290", + "name": "Scarlet Boots", + "resistances": "4%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "4%", + "column_5": "-10%", + "column_7": "–", + "damage_bonus%": "15% 15%", + "durability": "290", + "name": "Scarlet Mask", + "resistances": "4%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "5%", + "column_5": "-15%", + "column_7": "-20%", + "damage_bonus%": "15% 15% 15%", + "durability": "290", + "name": "Scarlet Robes", + "resistances": "10%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Scarlet Boots", + "4%", + "4%", + "-10%", + "15% 15%", + "–", + "290", + "2.0", + "Boots" + ], + [ + "", + "Scarlet Mask", + "4%", + "4%", + "-10%", + "15% 15%", + "–", + "290", + "1.0", + "Helmets" + ], + [ + "", + "Scarlet Robes", + "10%", + "5%", + "-15%", + "15% 15% 15%", + "-20%", + "290", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Damage Bonus%", + "Column 8", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Staff", + "column_4": "40", + "column_5": "6.5", + "column_8": "–", + "damage": "25", + "damage_bonus%": "15%", + "durability": "200", + "effects": "Blaze", + "name": "Cracked Red Moon", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Staff", + "column_4": "40", + "column_5": "7", + "column_8": "20%", + "damage": "30", + "damage_bonus%": "35%", + "durability": "300", + "effects": "Blaze", + "name": "Revenant Moon", + "speed": "1.0", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Cracked Red Moon", + "25", + "40", + "6.5", + "1.0", + "15%", + "–", + "200", + "5.0", + "Blaze", + "Staff" + ], + [ + "", + "Revenant Moon", + "30", + "40", + "7", + "1.0", + "35%", + "20%", + "300", + "5.0", + "Blaze", + "Staff" + ] + ] + } + ], + "description": "Scarlet Set is a Set in Outward." + }, + { + "name": "Scarlet Whisper", + "url": "https://outward.fandom.com/wiki/Scarlet_Whisper", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "250", + "DLC": "The Three Brothers", + "Object ID": "6600231", + "Sell": "75", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/32/Scarlet_Whisper.png/revision/latest/scale-to-width-down/83?cb=20201220075248", + "recipes": [ + { + "result": "Frostburn Staff", + "result_count": "1x", + "ingredients": [ + "Leyline Figment", + "Scarlet Whisper", + "Noble's Greed", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Scarlet Whisper" + }, + { + "result": "Krypteia Mask", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Haunted Memory", + "Gep's Generosity", + "Scarlet Whisper" + ], + "station": "None", + "source_page": "Scarlet Whisper" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Leyline FigmentScarlet WhisperNoble's GreedCalygrey's Wisdom", + "result": "1x Frostburn Staff", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageHaunted MemoryGep's GenerosityScarlet Whisper", + "result": "1x Krypteia Mask", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Frostburn Staff", + "Leyline FigmentScarlet WhisperNoble's GreedCalygrey's Wisdom", + "None" + ], + [ + "1x Krypteia Mask", + "Pearlbird's CourageHaunted MemoryGep's GenerosityScarlet Whisper", + "None" + ] + ] + } + ], + "description": "Scarlet Whisper is an Item in Outward." + }, + { + "name": "Scarred Dagger", + "url": "https://outward.fandom.com/wiki/Scarred_Dagger", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Daggers", + "DLC": "The Three Brothers", + "Damage": "30", + "Durability": "200", + "Effects": "Crippled", + "Impact": "40", + "Object ID": "5110340", + "Sell": "240", + "Type": "Off-Handed", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/11/Scarred_Dagger.png/revision/latest/scale-to-width-down/83?cb=20201220075249", + "effects": [ + "Inflicts Crippled (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Gilded Shiver of Tramontane", + "result_count": "1x", + "ingredients": [ + "Scarred Dagger", + "Diamond Dust", + "Flash Moss" + ], + "station": "None", + "source_page": "Scarred Dagger" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Scarred DaggerDiamond DustFlash Moss", + "result": "1x Gilded Shiver of Tramontane", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Gilded Shiver of Tramontane", + "Scarred DaggerDiamond DustFlash Moss", + "None" + ] + ] + } + ], + "description": "Scarred Dagger is a type of Weapon in Outward." + }, + { + "name": "Scavenger Boots", + "url": "https://outward.fandom.com/wiki/Scavenger_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "25", + "Cold Weather Def.": "3", + "Damage Resist": "5%", + "Durability": "150", + "Impact Resist": "4%", + "Item Set": "Scavenger Set", + "Object ID": "3000034", + "Sell": "8", + "Slot": "Legs", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Scavenger_Boots.png/revision/latest?cb=20190415155903", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Scavenger Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Shopkeeper Doran" + } + ], + "raw_rows": [ + [ + "Shopkeeper Doran", + "1 - 5", + "37.6%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.2%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "14.2%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + }, + { + "chance": "6.6%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "3.8%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "3.4%", + "quantity": "1 - 2", + "source": "Bandit Archer" + }, + { + "chance": "3.4%", + "quantity": "1 - 2", + "source": "Vendavel Archer" + } + ], + "raw_rows": [ + [ + "Bandit Captain", + "1 - 4", + "14.2%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "14.2%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "6.6%" + ], + [ + "Bandit Defender", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "4%" + ], + [ + "Roland Argenson", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "3.8%" + ], + [ + "Bandit Archer", + "1 - 2", + "3.4%" + ], + [ + "Vendavel Archer", + "1 - 2", + "3.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Berg, Enmerkar Forest", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.9%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "1.9%", + "locations": "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "1.9%", + "locations": "Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Berg, Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1", + "6.7%", + "Enmerkar Forest" + ], + [ + "Adventurer's Corpse", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "1.9%", + "Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "1.9%", + "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility" + ], + [ + "Soldier's Corpse", + "1", + "1.9%", + "Wendigo Lair" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Scavenger Boots is a type of Armor in Outward." + }, + { + "name": "Scavenger Coat", + "url": "https://outward.fandom.com/wiki/Scavenger_Coat", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "45", + "Cold Weather Def.": "6", + "Damage Resist": "9%", + "Durability": "150", + "Impact Resist": "6%", + "Item Set": "Scavenger Set", + "Object ID": "3000030", + "Pouch Bonus": "4", + "Sell": "14", + "Slot": "Chest", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9c/Scavenger_Coat.png/revision/latest?cb=20190415125711", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "2x", + "ingredients": [ + "Decraft: Cloth (Large)" + ], + "station": "Decrafting", + "source_page": "Scavenger Coat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Large)", + "result": "2x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Linen Cloth", + "Decraft: Cloth (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Shopkeeper Doran" + }, + { + "chance": "32.7%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Shopkeeper Doran", + "1 - 5", + "37.6%", + "Cierzo" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "32.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "11.5%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "11.5%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "3.8%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + } + ], + "raw_rows": [ + [ + "Bandit Captain", + "1 - 4", + "11.5%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "11.5%" + ], + [ + "Bandit Defender", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "4%" + ], + [ + "Roland Argenson", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "3.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.5%", + "locations": "Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "6.7%", + "locations": "Berg, Enmerkar Forest", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.9%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "1.9%", + "locations": "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "1.9%", + "locations": "Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "1 - 4", + "11.5%", + "Under Island" + ], + [ + "Chest", + "1", + "6.7%", + "Berg, Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1", + "6.7%", + "Enmerkar Forest" + ], + [ + "Adventurer's Corpse", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "1.9%", + "Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "1.9%", + "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility" + ], + [ + "Soldier's Corpse", + "1", + "1.9%", + "Wendigo Lair" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Scavenger Coat is a type of Armor in Outward." + }, + { + "name": "Scavenger Hood", + "url": "https://outward.fandom.com/wiki/Scavenger_Hood", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "25", + "Cold Weather Def.": "3", + "Damage Resist": "5%", + "Durability": "150", + "Impact Resist": "4%", + "Item Set": "Scavenger Set", + "Object ID": "3000032", + "Sell": "8", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f9/Scavenger_Hood.png/revision/latest?cb=20190415055654", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Scavenger Hood" + }, + { + "result": "Scavenger Mask", + "result_count": "1x", + "ingredients": [ + "Scavenger Hood", + "Scavenger Scarf" + ], + "station": "None", + "source_page": "Scavenger Hood" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Scavenger HoodScavenger Scarf", + "result": "1x Scavenger Mask", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Scavenger Mask", + "Scavenger HoodScavenger Scarf", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "30%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1 - 4", + "30%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "13%", + "quantity": "1 - 5", + "source": "The Last Acolyte" + }, + { + "chance": "4.4%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + } + ], + "raw_rows": [ + [ + "The Last Acolyte", + "1 - 5", + "13%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "4.4%" + ] + ] + } + ], + "description": "Scavenger Hood is a type of Armor in Outward." + }, + { + "name": "Scavenger Mask", + "url": "https://outward.fandom.com/wiki/Scavenger_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "25", + "Cold Weather Def.": "3", + "Damage Resist": "5%", + "Durability": "150", + "Impact Resist": "4%", + "Item Set": "Scavenger Set", + "Object ID": "3000031", + "Sell": "8", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/83/Scavenger_Mask.png/revision/latest?cb=20190407081314", + "recipes": [ + { + "result": "Scavenger Mask", + "result_count": "1x", + "ingredients": [ + "Scavenger Hood", + "Scavenger Scarf" + ], + "station": "None", + "source_page": "Scavenger Mask" + }, + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Scavenger Mask" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Scavenger Hood Scavenger Scarf", + "result": "1x Scavenger Mask", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Scavenger Mask", + "Scavenger Hood Scavenger Scarf", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Cierzo", + "quantity": "1 - 5", + "source": "Shopkeeper Doran" + }, + { + "chance": "30%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Shopkeeper Doran", + "1 - 5", + "37.6%", + "Cierzo" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "30%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "11.5%", + "quantity": "1 - 4", + "source": "Bandit Captain" + }, + { + "chance": "11.5%", + "quantity": "1 - 4", + "source": "Mad Captain's Bones" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "4%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "3.8%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "3.4%", + "quantity": "1 - 2", + "source": "Bandit Archer" + }, + { + "chance": "3.4%", + "quantity": "1 - 2", + "source": "Vendavel Archer" + } + ], + "raw_rows": [ + [ + "Bandit Captain", + "1 - 4", + "11.5%" + ], + [ + "Mad Captain's Bones", + "1 - 4", + "11.5%" + ], + [ + "Bandit Defender", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "4%" + ], + [ + "Roland Argenson", + "1 - 3", + "4%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "3.8%" + ], + [ + "Bandit Archer", + "1 - 2", + "3.4%" + ], + [ + "Vendavel Archer", + "1 - 2", + "3.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Berg, Enmerkar Forest", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.9%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "1.9%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "1.9%", + "locations": "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "1.9%", + "locations": "Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Berg, Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1", + "6.7%", + "Enmerkar Forest" + ], + [ + "Adventurer's Corpse", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "1.9%", + "Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "1.9%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "1.9%", + "Ancient Foundry, Antique Plateau, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility" + ], + [ + "Soldier's Corpse", + "1", + "1.9%", + "Wendigo Lair" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Scavenger Mask is a type of Armor in Outward." + }, + { + "name": "Scavenger Scarf", + "url": "https://outward.fandom.com/wiki/Scavenger_Scarf", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "62", + "Cold Weather Def.": "3", + "Damage Resist": "6%", + "Durability": "165", + "Impact Resist": "5%", + "Item Set": "Scavenger Set", + "Object ID": "3000033", + "Sell": "21", + "Slot": "Head", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/de/Scavenger_Scarf.png/revision/latest?cb=20190407195102", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Scavenger Scarf" + }, + { + "result": "Scavenger Mask", + "result_count": "1x", + "ingredients": [ + "Scavenger Hood", + "Scavenger Scarf" + ], + "station": "None", + "source_page": "Scavenger Scarf" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Scavenger HoodScavenger Scarf", + "result": "1x Scavenger Mask", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Scavenger Mask", + "Scavenger HoodScavenger Scarf", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5% Cooldown ReductionGain +5 Pouch Bonus", + "enchantment": "Unassuming Ingenuity" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unassuming Ingenuity", + "Gain +5% Cooldown ReductionGain +5 Pouch Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "30%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1 - 4", + "30%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "4.4%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + } + ], + "raw_rows": [ + [ + "Bandit Manhunter", + "1 - 4", + "4.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Dolmen Crypt", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Ancestor's Resting Place", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Dolmen Crypt" + ], + [ + "Chest", + "1", + "5.9%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Necropolis, Old Hunter's Cabin, Tree Husk" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Ancestor's Resting Place" + ], + [ + "Stash", + "1", + "5.9%", + "Berg" + ] + ] + } + ], + "description": "Scavenger Scarf is a type of Armor in Outward." + }, + { + "name": "Scavenger Set", + "url": "https://outward.fandom.com/wiki/Scavenger_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "132", + "Cold Weather Def.": "12", + "Damage Resist": "20%", + "Durability": "465", + "Impact Resist": "15%", + "Object ID": "3000034 (Legs)3000030 (Chest)3000033 (Head)", + "Pouch Bonus": "4", + "Sell": "43", + "Slot": "Set", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/76/Scavenger_set.png/revision/latest/scale-to-width-down/248?cb=20190415213438", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "4%", + "column_5": "3", + "durability": "150", + "name": "Scavenger Boots", + "pouch_bonus": "–", + "resistances": "5%", + "weight": "4.0" + }, + { + "class": "Body Armor", + "column_4": "6%", + "column_5": "6", + "durability": "150", + "name": "Scavenger Coat", + "pouch_bonus": "4", + "resistances": "9%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "4%", + "column_5": "3", + "durability": "150", + "name": "Scavenger Hood", + "pouch_bonus": "–", + "resistances": "5%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "4%", + "column_5": "3", + "durability": "150", + "name": "Scavenger Mask", + "pouch_bonus": "–", + "resistances": "5%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "5%", + "column_5": "3", + "durability": "165", + "name": "Scavenger Scarf", + "pouch_bonus": "–", + "resistances": "6%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Scavenger Boots", + "5%", + "4%", + "3", + "–", + "150", + "4.0", + "Boots" + ], + [ + "", + "Scavenger Coat", + "9%", + "6%", + "6", + "4", + "150", + "8.0", + "Body Armor" + ], + [ + "", + "Scavenger Hood", + "5%", + "4%", + "3", + "–", + "150", + "3.0", + "Helmets" + ], + [ + "", + "Scavenger Mask", + "5%", + "4%", + "3", + "–", + "150", + "3.0", + "Helmets" + ], + [ + "", + "Scavenger Scarf", + "6%", + "5%", + "3", + "–", + "165", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "4%", + "column_5": "3", + "durability": "150", + "name": "Scavenger Boots", + "pouch_bonus": "–", + "resistances": "5%", + "weight": "4.0" + }, + { + "class": "Body Armor", + "column_4": "6%", + "column_5": "6", + "durability": "150", + "name": "Scavenger Coat", + "pouch_bonus": "4", + "resistances": "9%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "4%", + "column_5": "3", + "durability": "150", + "name": "Scavenger Hood", + "pouch_bonus": "–", + "resistances": "5%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "4%", + "column_5": "3", + "durability": "150", + "name": "Scavenger Mask", + "pouch_bonus": "–", + "resistances": "5%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "5%", + "column_5": "3", + "durability": "165", + "name": "Scavenger Scarf", + "pouch_bonus": "–", + "resistances": "6%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Scavenger Boots", + "5%", + "4%", + "3", + "–", + "150", + "4.0", + "Boots" + ], + [ + "", + "Scavenger Coat", + "9%", + "6%", + "6", + "4", + "150", + "8.0", + "Body Armor" + ], + [ + "", + "Scavenger Hood", + "5%", + "4%", + "3", + "–", + "150", + "3.0", + "Helmets" + ], + [ + "", + "Scavenger Mask", + "5%", + "4%", + "3", + "–", + "150", + "3.0", + "Helmets" + ], + [ + "", + "Scavenger Scarf", + "6%", + "5%", + "3", + "–", + "165", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Scavenger Set is a Set in Outward." + }, + { + "name": "Scepter of the Cruel Priest", + "url": "https://outward.fandom.com/wiki/Scepter_of_the_Cruel_Priest", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2000", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "55", + "Damage Bonus": "13%", + "Durability": "225", + "Impact": "28", + "Object ID": "2020335", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/81/Scepter_of_the_Cruel_Priest.png/revision/latest/scale-to-width-down/83?cb=20201220075250", + "effects": [ + "Reduces Lightning resistance by -30%" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "55", + "description": "Two wide-sweeping strikes, right to left", + "impact": "28", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "71.5", + "description": "Slow, overhead strike with high impact", + "impact": "70", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "71.5", + "description": "Fast, forward-thrusting strike", + "impact": "36.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "71.5", + "description": "Fast, forward-thrusting strike", + "impact": "36.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "55", + "28", + "5.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "71.5", + "70", + "7.28", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "71.5", + "36.4", + "7.28", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "71.5", + "36.4", + "7.28", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Scepter of the Cruel Priest is a Unique type of Weapon in Outward." + }, + { + "name": "Scholar Attire", + "url": "https://outward.fandom.com/wiki/Scholar_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "87", + "Cold Weather Def.": "6", + "Damage Resist": "9%", + "Durability": "165", + "Hot Weather Def.": "6", + "Impact Resist": "4%", + "Item Set": "Scholar Set", + "Mana Cost": "-10%", + "Object ID": "3000190", + "Sell": "28", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/15/Scholar_Attire.png/revision/latest?cb=20190415125750", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second", + "enchantment": "Arcane Unison" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Arcane Unison", + "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1", + "100%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1", + "100%", + "Cierzo" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Berg, Enmerkar Forest", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Berg, Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1", + "6.7%", + "Enmerkar Forest" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Scholar Attire is a type of Armor in Outward." + }, + { + "name": "Scholar Boots", + "url": "https://outward.fandom.com/wiki/Scholar_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "50", + "Cold Weather Def.": "3", + "Damage Resist": "5%", + "Durability": "165", + "Impact Resist": "3%", + "Item Set": "Scholar Set", + "Mana Cost": "-10%", + "Object ID": "3000192", + "Sell": "16", + "Slot": "Legs", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/60/Scholar_Boots.png/revision/latest?cb=20190415160034", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second", + "enchantment": "Arcane Unison" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Arcane Unison", + "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1", + "100%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1", + "100%", + "Cierzo" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "30.3%", + "quantity": "1", + "source": "That Annoying Troglodyte" + } + ], + "raw_rows": [ + [ + "That Annoying Troglodyte", + "1", + "30.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Berg, Enmerkar Forest", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Berg, Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1", + "6.7%", + "Enmerkar Forest" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Scholar Boots is a type of Armor in Outward." + }, + { + "name": "Scholar Circlet", + "url": "https://outward.fandom.com/wiki/Scholar_Circlet", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "50", + "Cooldown Reduction": "10%", + "Durability": "165", + "Hot Weather Def.": "3", + "Impact Resist": "3%", + "Item Set": "Scholar Set", + "Mana Cost": "-10%", + "Object ID": "3000191", + "Sell": "15", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fc/Scholar_Circlet.png/revision/latest?cb=20190407081336", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second", + "enchantment": "Arcane Unison" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain passive +0.2 Mana regeneration per second", + "enchantment": "Rain" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Arcane Unison", + "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Rain", + "Gain passive +0.2 Mana regeneration per second" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1", + "100%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1", + "100%", + "Cierzo" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Berg, Enmerkar Forest", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Berg, Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1", + "6.7%", + "Enmerkar Forest" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Scholar Circlet is a type of Armor in Outward." + }, + { + "name": "Scholar Set", + "url": "https://outward.fandom.com/wiki/Scholar_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "187", + "Cold Weather Def.": "9", + "Cooldown Reduction": "10%", + "Damage Resist": "14%", + "Durability": "495", + "Hot Weather Def.": "9", + "Impact Resist": "10%", + "Mana Cost": "-30%", + "Object ID": "3000190 (Chest)3000192 (Legs)3000191 (Head)", + "Sell": "59", + "Slot": "Set", + "Weight": "7.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "6", + "column_6": "6", + "column_7": "-10%", + "column_8": "–", + "durability": "165", + "name": "Scholar Attire", + "resistances": "9%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "3%", + "column_5": "–", + "column_6": "3", + "column_7": "-10%", + "column_8": "–", + "durability": "165", + "name": "Scholar Boots", + "resistances": "5%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "3", + "column_6": "–", + "column_7": "-10%", + "column_8": "10%", + "durability": "165", + "name": "Scholar Circlet", + "resistances": "–", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Scholar Attire", + "9%", + "4%", + "6", + "6", + "-10%", + "–", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Scholar Boots", + "5%", + "3%", + "–", + "3", + "-10%", + "–", + "165", + "2.0", + "Boots" + ], + [ + "", + "Scholar Circlet", + "–", + "3%", + "3", + "–", + "-10%", + "10%", + "165", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Damage Bonus%", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Staff", + "column_4": "34", + "column_5": "6", + "column_8": "-15%", + "damage": "20", + "damage_bonus%": "20%", + "durability": "225", + "name": "Scholar's Staff", + "speed": "1.0", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Scholar's Staff", + "20", + "34", + "6", + "1.0", + "20%", + "-15%", + "225", + "5.0", + "Staff" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "6", + "column_6": "6", + "column_7": "-10%", + "column_8": "–", + "durability": "165", + "name": "Scholar Attire", + "resistances": "9%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "3%", + "column_5": "–", + "column_6": "3", + "column_7": "-10%", + "column_8": "–", + "durability": "165", + "name": "Scholar Boots", + "resistances": "5%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_5": "3", + "column_6": "–", + "column_7": "-10%", + "column_8": "10%", + "durability": "165", + "name": "Scholar Circlet", + "resistances": "–", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Scholar Attire", + "9%", + "4%", + "6", + "6", + "-10%", + "–", + "165", + "4.0", + "Body Armor" + ], + [ + "", + "Scholar Boots", + "5%", + "3%", + "–", + "3", + "-10%", + "–", + "165", + "2.0", + "Boots" + ], + [ + "", + "Scholar Circlet", + "–", + "3%", + "3", + "–", + "-10%", + "10%", + "165", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Damage Bonus%", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Staff", + "column_4": "34", + "column_5": "6", + "column_8": "-15%", + "damage": "20", + "damage_bonus%": "20%", + "durability": "225", + "name": "Scholar's Staff", + "speed": "1.0", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Scholar's Staff", + "20", + "34", + "6", + "1.0", + "20%", + "-15%", + "225", + "5.0", + "Staff" + ] + ] + } + ], + "description": "Scholar Set is a Set in Outward." + }, + { + "name": "Scholar's Staff", + "url": "https://outward.fandom.com/wiki/Scholar%27s_Staff", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "250", + "Class": "Polearms", + "Damage": "20", + "Damage Bonus": "20%", + "Durability": "225", + "Impact": "34", + "Item Set": "Scholar Set", + "Mana Cost": "-15%", + "Object ID": "2150000", + "Sell": "75", + "Stamina Cost": "6", + "Type": "Staff", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8f/Scholar%E2%80%99s_Staff.png/revision/latest?cb=20190412214108", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6", + "damage": "20", + "description": "Two wide-sweeping strikes, left to right", + "impact": "34", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.5", + "damage": "26", + "description": "Forward-thrusting strike", + "impact": "44.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.5", + "damage": "26", + "description": "Wide-sweeping strike from left", + "impact": "44.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.5", + "damage": "34", + "description": "Slow but powerful sweeping strike", + "impact": "57.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "20", + "34", + "6", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "26", + "44.2", + "7.5", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "26", + "44.2", + "7.5", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "34", + "57.8", + "10.5", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Gain +10% Cooldown Reduction", + "enchantment": "Isolated Rumination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Isolated Rumination", + "Gain +10% Cooldown Reduction" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Vay the Alchemist" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1", + "100%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1", + "100%", + "Conflux Chambers" + ], + [ + "Luc Salaberry, Alchemist", + "1", + "100%", + "New Sirocco" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "8.3%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Scholar's Staff is a staff in Outward." + }, + { + "name": "Scourge Cocoon", + "url": "https://outward.fandom.com/wiki/Scourge_Cocoon", + "categories": [ + "DLC: The Soroboreans", + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "8", + "Class": "Deployable", + "DLC": "The Soroboreans", + "Duration": "2400 seconds (40 minutes)", + "Effects": "-5% Stamina costs of actions", + "Object ID": "5000080", + "Sell": "2", + "Type": "Sleep", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/06/Scourge_Cocoon.png/revision/latest/scale-to-width-down/83?cb=20200616185614", + "effects": [ + "Raises Corruption by 10% (amount of rest does not matter)", + "Reduces the rate at which max Mana is burnt while sleeping", + "-5% Stamina costs of actions" + ], + "recipes": [ + { + "result": "Scourge Cocoon", + "result_count": "2x", + "ingredients": [ + "Occult Remains", + "Horror Chitin", + "Veaber's Egg", + "Veaber's Egg" + ], + "station": "None", + "source_page": "Scourge Cocoon" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "-5% Stamina costs of actions", + "name": "Sleep: Scourge Cocoon" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Scourge Cocoon", + "2400 seconds (40 minutes)", + "-5% Stamina costs of actions" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Occult Remains Horror Chitin Veaber's Egg Veaber's Egg", + "result": "2x Scourge Cocoon", + "station": "None" + } + ], + "raw_rows": [ + [ + "2x Scourge Cocoon", + "Occult Remains Horror Chitin Veaber's Egg Veaber's Egg", + "None" + ] + ] + } + ], + "description": "Scourge Cocoon is an Item in Outward." + }, + { + "name": "Scourge's Tears", + "url": "https://outward.fandom.com/wiki/Scourge%27s_Tears", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Object ID": "6600223", + "Sell": "60", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c8/Scourge%E2%80%99s_Tears.png/revision/latest/scale-to-width-down/83?cb=20190629155239", + "recipes": [ + { + "result": "Cage Pistol", + "result_count": "1x", + "ingredients": [ + "Haunted Memory", + "Scourge's Tears", + "Flowering Corruption", + "Enchanted Mask" + ], + "station": "None", + "source_page": "Scourge's Tears" + }, + { + "result": "Ghost Reaper", + "result_count": "1x", + "ingredients": [ + "Scourge's Tears", + "Haunted Memory", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Scourge's Tears" + }, + { + "result": "Griigmerk kÄramerk", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Scourge's Tears", + "Haunted Memory", + "Calixa's Relic" + ], + "station": "None", + "source_page": "Scourge's Tears" + }, + { + "result": "Kelvin's Greataxe", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Scourge's Tears", + "Leyline Figment" + ], + "station": "None", + "source_page": "Scourge's Tears" + }, + { + "result": "Krypteia Boots", + "result_count": "1x", + "ingredients": [ + "Scourge's Tears", + "Pearlbird's Courage", + "Calixa's Relic", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Scourge's Tears" + }, + { + "result": "Manticore Egg", + "result_count": "1x", + "ingredients": [ + "Vendavel's Hospitality", + "Scourge's Tears", + "Noble's Greed", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Scourge's Tears" + }, + { + "result": "Pain in the Axe", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Scourge's Tears", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Scourge's Tears" + }, + { + "result": "Pilgrim Armor", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Scourge's Tears", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Scourge's Tears" + }, + { + "result": "Shock Armor", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Scourge's Tears", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Scourge's Tears" + }, + { + "result": "Shock Helmet", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Scourge's Tears", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Scourge's Tears" + }, + { + "result": "Squire Headband", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Scourge's Tears", + "Haunted Memory" + ], + "station": "None", + "source_page": "Scourge's Tears" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Haunted MemoryScourge's TearsFlowering CorruptionEnchanted Mask", + "result": "1x Cage Pistol", + "station": "None" + }, + { + "ingredients": "Scourge's TearsHaunted MemoryLeyline FigmentVendavel's Hospitality", + "result": "1x Ghost Reaper", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityScourge's TearsHaunted MemoryCalixa's Relic", + "result": "1x Griigmerk kÄramerk", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicScourge's TearsLeyline Figment", + "result": "1x Kelvin's Greataxe", + "station": "None" + }, + { + "ingredients": "Scourge's TearsPearlbird's CourageCalixa's RelicCalygrey's Wisdom", + "result": "1x Krypteia Boots", + "station": "None" + }, + { + "ingredients": "Vendavel's HospitalityScourge's TearsNoble's GreedCalygrey's Wisdom", + "result": "1x Manticore Egg", + "station": "None" + }, + { + "ingredients": "Elatt's RelicScourge's TearsCalixa's RelicVendavel's Hospitality", + "result": "1x Pain in the Axe", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageScourge's TearsLeyline FigmentVendavel's Hospitality", + "result": "1x Pilgrim Armor", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageScourge's TearsCalixa's RelicVendavel's Hospitality", + "result": "1x Shock Armor", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityScourge's TearsLeyline FigmentVendavel's Hospitality", + "result": "1x Shock Helmet", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityElatt's RelicScourge's TearsHaunted Memory", + "result": "1x Squire Headband", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Cage Pistol", + "Haunted MemoryScourge's TearsFlowering CorruptionEnchanted Mask", + "None" + ], + [ + "1x Ghost Reaper", + "Scourge's TearsHaunted MemoryLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Griigmerk kÄramerk", + "Gep's GenerosityScourge's TearsHaunted MemoryCalixa's Relic", + "None" + ], + [ + "1x Kelvin's Greataxe", + "Gep's GenerosityElatt's RelicScourge's TearsLeyline Figment", + "None" + ], + [ + "1x Krypteia Boots", + "Scourge's TearsPearlbird's CourageCalixa's RelicCalygrey's Wisdom", + "None" + ], + [ + "1x Manticore Egg", + "Vendavel's HospitalityScourge's TearsNoble's GreedCalygrey's Wisdom", + "None" + ], + [ + "1x Pain in the Axe", + "Elatt's RelicScourge's TearsCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Pilgrim Armor", + "Pearlbird's CourageScourge's TearsLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Shock Armor", + "Pearlbird's CourageScourge's TearsCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Shock Helmet", + "Gep's GenerosityScourge's TearsLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Squire Headband", + "Gep's GenerosityElatt's RelicScourge's TearsHaunted Memory", + "None" + ] + ] + } + ], + "description": "Scourge's Tears is an item in Outward." + }, + { + "name": "Sealed Mace", + "url": "https://outward.fandom.com/wiki/Sealed_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "800", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "21 14", + "Durability": "200", + "Impact": "28", + "Object ID": "2020330", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1f/Sealed_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220075251", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "21 14", + "description": "Two wide-sweeping strikes, right to left", + "impact": "28", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "27.3 18.2", + "description": "Slow, overhead strike with high impact", + "impact": "70", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "27.3 18.2", + "description": "Fast, forward-thrusting strike", + "impact": "36.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "27.3 18.2", + "description": "Fast, forward-thrusting strike", + "impact": "36.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "21 14", + "28", + "5.2", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "27.3 18.2", + "70", + "6.76", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "27.3 18.2", + "36.4", + "6.76", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.3 18.2", + "36.4", + "6.76", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Sealed Mace is a type of Weapon in Outward." + }, + { + "name": "Seared Root", + "url": "https://outward.fandom.com/wiki/Seared_Root", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "WarmCures Cold (Disease)", + "Hunger": "5%", + "Object ID": "4100440", + "Perish Time": "6 Days", + "Sell": "4", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f6/Seared_Root.png/revision/latest?cb=20190411155738", + "effects": [ + "Restores 5% Hunger", + "Player receives Warm", + "Removes Cold (Disease)" + ], + "effect_links": [ + "/wiki/Warm" + ], + "recipes": [ + { + "result": "Seared Root", + "result_count": "1x", + "ingredients": [ + "Smoke Root" + ], + "station": "Campfire", + "source_page": "Seared Root" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Seared Root" + }, + { + "result": "Fire Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Obsidian Shard", + "Seared Root", + "Predator Bones" + ], + "station": "None", + "source_page": "Seared Root" + }, + { + "result": "Fire Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Seared Root", + "Fire Stone" + ], + "station": "Alchemy Kit", + "source_page": "Seared Root" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Seared Root" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Seared Root" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Smoke Root", + "result": "1x Seared Root", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Seared Root", + "Smoke Root", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "Advanced TentObsidian ShardSeared RootPredator Bones", + "result": "1x Fire Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Gaberry WineSeared RootFire Stone", + "result": "1x Fire Varnish", + "station": "Alchemy Kit" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "1x Fire Totemic Lodge", + "Advanced TentObsidian ShardSeared RootPredator Bones", + "None" + ], + [ + "1x Fire Varnish", + "Gaberry WineSeared RootFire Stone", + "Alchemy Kit" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "3 - 6", + "source": "Chef Iasu" + } + ], + "raw_rows": [ + [ + "Chef Iasu", + "3 - 6", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "11.1%", + "quantity": "1", + "source": "Burning Man" + } + ], + "raw_rows": [ + [ + "Burning Man", + "1", + "11.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Seared Root is a Food plant you can find in Outward. It is used in alchemy and cooking." + }, + { + "name": "Seaweed", + "url": "https://outward.fandom.com/wiki/Seaweed", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "3", + "Object ID": "6000060", + "Sell": "1", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/13/Seaweed.png/revision/latest?cb=20190525175224", + "recipes": [ + { + "result": "Cierzo Ceviche", + "result_count": "3x", + "ingredients": [ + "Raw Rainbow Trout", + "Seaweed", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Seaweed" + }, + { + "result": "Horror's Potion", + "result_count": "1x", + "ingredients": [ + "Life Potion", + "Seaweed", + "Rancid Water", + "Liquid Corruption" + ], + "station": "Alchemy Kit", + "source_page": "Seaweed" + }, + { + "result": "Ice Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Seaweed" + ], + "station": "None", + "source_page": "Seaweed" + }, + { + "result": "Luxe Lichette", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Azure Shrimp", + "Raw Rainbow Trout", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Seaweed" + }, + { + "result": "Ocean Fricassee", + "result_count": "3x", + "ingredients": [ + "Larva Egg", + "Fish", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Seaweed" + }, + { + "result": "Soothing Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Seaweed" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Rainbow TroutSeaweedSalt", + "result": "3x Cierzo Ceviche", + "station": "Cooking Pot" + }, + { + "ingredients": "Life PotionSeaweedRancid WaterLiquid Corruption", + "result": "1x Horror's Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Linen ClothSeaweed", + "result": "1x Ice Rag", + "station": "None" + }, + { + "ingredients": "Larva EggAzure ShrimpRaw Rainbow TroutSeaweed", + "result": "3x Luxe Lichette", + "station": "Cooking Pot" + }, + { + "ingredients": "Larva EggFishSeaweed", + "result": "3x Ocean Fricassee", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSeaweed", + "result": "1x Soothing Tea", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Cierzo Ceviche", + "Raw Rainbow TroutSeaweedSalt", + "Cooking Pot" + ], + [ + "1x Horror's Potion", + "Life PotionSeaweedRancid WaterLiquid Corruption", + "Alchemy Kit" + ], + [ + "1x Ice Rag", + "Linen ClothSeaweed", + "None" + ], + [ + "3x Luxe Lichette", + "Larva EggAzure ShrimpRaw Rainbow TroutSeaweed", + "Cooking Pot" + ], + [ + "3x Ocean Fricassee", + "Larva EggFishSeaweed", + "Cooking Pot" + ], + [ + "1x Soothing Tea", + "WaterSeaweed", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Seaweed (Gatherable)" + }, + { + "chance": "32.3%", + "quantity": "1 - 2", + "source": "Fishing/Caldera" + }, + { + "chance": "30.3%", + "quantity": "1 - 2", + "source": "Fishing/Cave" + }, + { + "chance": "30.3%", + "quantity": "1 - 2", + "source": "Fishing/River (Chersonese)" + }, + { + "chance": "30.3%", + "quantity": "1 - 2", + "source": "Fishing/River (Enmerkar Forest)" + }, + { + "chance": "29.4%", + "quantity": "1 - 2", + "source": "Fishing/Beach" + }, + { + "chance": "20.4%", + "quantity": "1 - 2", + "source": "Fishing/Harmattan" + }, + { + "chance": "20.4%", + "quantity": "1 - 2", + "source": "Fishing/Harmattan Magic" + }, + { + "chance": "20.4%", + "quantity": "1 - 2", + "source": "Fishing/Swamp" + }, + { + "chance": "11.8%", + "quantity": "1", + "source": "Torcrab Nest" + } + ], + "raw_rows": [ + [ + "Seaweed (Gatherable)", + "1", + "100%" + ], + [ + "Fishing/Caldera", + "1 - 2", + "32.3%" + ], + [ + "Fishing/Cave", + "1 - 2", + "30.3%" + ], + [ + "Fishing/River (Chersonese)", + "1 - 2", + "30.3%" + ], + [ + "Fishing/River (Enmerkar Forest)", + "1 - 2", + "30.3%" + ], + [ + "Fishing/Beach", + "1 - 2", + "29.4%" + ], + [ + "Fishing/Harmattan", + "1 - 2", + "20.4%" + ], + [ + "Fishing/Harmattan Magic", + "1 - 2", + "20.4%" + ], + [ + "Fishing/Swamp", + "1 - 2", + "20.4%" + ], + [ + "Torcrab Nest", + "1", + "11.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "4 - 8", + "source": "Fishmonger Karl" + }, + { + "chance": "33.8%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "17.5%", + "locations": "Harmattan", + "quantity": "4", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Fishmonger Karl", + "4 - 8", + "100%", + "Cierzo" + ], + [ + "Tuan the Alchemist", + "3", + "33.8%", + "Levant" + ], + [ + "Robyn Garnet, Alchemist", + "4", + "17.5%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "30.6%", + "quantity": "2 - 6", + "source": "Torcrab" + }, + { + "chance": "12.3%", + "quantity": "1", + "source": "Crescent Shark" + }, + { + "chance": "12.1%", + "quantity": "1", + "source": "Mantis Shrimp" + } + ], + "raw_rows": [ + [ + "Torcrab", + "2 - 6", + "30.6%" + ], + [ + "Crescent Shark", + "1", + "12.3%" + ], + [ + "Mantis Shrimp", + "1", + "12.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Compromised Mana Transfer Station, Under Island", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Compromised Mana Transfer Station, Under Island" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Abandoned Living Quarters" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress" + ] + ] + } + ], + "description": "Seaweed is one of the items in Outward." + }, + { + "name": "Shadow Kazite Light Armor", + "url": "https://outward.fandom.com/wiki/Shadow_Kazite_Light_Armor", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "550", + "Cold Weather Def.": "12", + "Cooldown Reduction": "10%", + "DLC": "The Soroboreans", + "Damage Resist": "20%", + "Durability": "300", + "Impact Resist": "14%", + "Item Set": "Shadow Kazite Set", + "Object ID": "3100243", + "Protection": "2", + "Sell": "165", + "Slot": "Chest", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/42/Shadow_Kazite_Light_Armor.png/revision/latest/scale-to-width-down/83?cb=20200616185616", + "recipes": [ + { + "result": "Shadow Kazite Light Armor", + "result_count": "1x", + "ingredients": [ + "Shadow Light Kazite Shirt", + "Linen Cloth" + ], + "station": "None", + "source_page": "Shadow Kazite Light Armor" + }, + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Shadow Kazite Light Armor" + ], + "station": "Decrafting", + "source_page": "Shadow Kazite Light Armor" + }, + { + "result": "Shadow Light Kazite Shirt", + "result_count": "1x", + "ingredients": [ + "Shadow Kazite Light Armor" + ], + "station": "None", + "source_page": "Shadow Kazite Light Armor" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kazite Light Armor", + "upgrade": "Shadow Kazite Light Armor" + } + ], + "raw_rows": [ + [ + "Kazite Light Armor", + "Shadow Kazite Light Armor" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shadow Light Kazite Shirt Linen Cloth", + "result": "1x Shadow Kazite Light Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Shadow Kazite Light Armor", + "Shadow Light Kazite Shirt Linen Cloth", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shadow Kazite Light Armor", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Shadow Kazite Light Armor", + "result": "1x Shadow Light Kazite Shirt", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Shadow Kazite Light Armor", + "Decrafting" + ], + [ + "1x Shadow Light Kazite Shirt", + "Shadow Kazite Light Armor", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Shadow Kazite Light Armor is a type of Equipment in Outward." + }, + { + "name": "Shadow Kazite Light Boots", + "url": "https://outward.fandom.com/wiki/Shadow_Kazite_Light_Boots", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "300", + "Cooldown Reduction": "5%", + "DLC": "The Soroboreans", + "Damage Resist": "13%", + "Durability": "300", + "Impact Resist": "9%", + "Item Set": "Shadow Kazite Set", + "Object ID": "3100245", + "Protection": "1", + "Sell": "90", + "Slot": "Legs", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fd/Shadow_Kazite_Light_Boots.png/revision/latest/scale-to-width-down/83?cb=20200616185617", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kazite Light Boots", + "upgrade": "Shadow Kazite Light Boots" + } + ], + "raw_rows": [ + [ + "Kazite Light Boots", + "Shadow Kazite Light Boots" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Gain +20% Stability regeneration rate", + "enchantment": "Compass" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Compass", + "Gain +20% Stability regeneration rate" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Shadow Kazite Light Boots is a type of Equipment in Outward." + }, + { + "name": "Shadow Kazite Light Helmet", + "url": "https://outward.fandom.com/wiki/Shadow_Kazite_Light_Helmet", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Cooldown Reduction": "5%", + "DLC": "The Soroboreans", + "Damage Resist": "13%", + "Durability": "300", + "Impact Resist": "9%", + "Item Set": "Shadow Kazite Set", + "Mana Cost": "15%", + "Object ID": "3100244", + "Protection": "1", + "Sell": "90", + "Slot": "Head", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b3/Shadow_Kazite_Light_Helmet.png/revision/latest/scale-to-width-down/83?cb=20200616185618", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kazite Light Helmet", + "upgrade": "Shadow Kazite Light Helmet" + } + ], + "raw_rows": [ + [ + "Kazite Light Helmet", + "Shadow Kazite Light Helmet" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Shadow Kazite Light Helmet is a type of Equipment in Outward." + }, + { + "name": "Shadow Kazite Set", + "url": "https://outward.fandom.com/wiki/Shadow_Kazite_Set", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1150", + "Cold Weather Def.": "12", + "Cooldown Reduction": "20%", + "DLC": "The Soroboreans", + "Damage Resist": "46%", + "Durability": "900", + "Impact Resist": "32%", + "Mana Cost": "15%", + "Object ID": "3100243 (Chest)3100245 (Legs)3100244 (Head)", + "Protection": "4", + "Sell": "345", + "Slot": "Set", + "Weight": "13.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b3/Shadow_Kazite_Set.png/revision/latest/scale-to-width-down/250?cb=20201231064050", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "14%", + "column_5": "2", + "column_6": "–", + "column_7": "12", + "column_8": "–", + "column_9": "10%", + "durability": "300", + "name": "Shadow Kazite Light Armor", + "resistances": "20%", + "weight": "6.0" + }, + { + "class": "Boots", + "column_4": "9%", + "column_5": "1", + "column_6": "–", + "column_7": "–", + "column_8": "–", + "column_9": "5%", + "durability": "300", + "name": "Shadow Kazite Light Boots", + "resistances": "13%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "1", + "column_6": "–", + "column_7": "–", + "column_8": "15%", + "column_9": "5%", + "durability": "300", + "name": "Shadow Kazite Light Helmet", + "resistances": "13%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "14%", + "column_5": "2", + "column_6": "12", + "column_7": "–", + "column_8": "–", + "column_9": "10%", + "durability": "300", + "name": "Shadow Light Kazite Shirt", + "resistances": "20%", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Shadow Kazite Light Armor", + "20%", + "14%", + "2", + "–", + "12", + "–", + "10%", + "300", + "6.0", + "Body Armor" + ], + [ + "", + "Shadow Kazite Light Boots", + "13%", + "9%", + "1", + "–", + "–", + "–", + "5%", + "300", + "4.0", + "Boots" + ], + [ + "", + "Shadow Kazite Light Helmet", + "13%", + "9%", + "1", + "–", + "–", + "15%", + "5%", + "300", + "3.0", + "Helmets" + ], + [ + "", + "Shadow Light Kazite Shirt", + "20%", + "14%", + "2", + "12", + "–", + "–", + "10%", + "300", + "6.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "14%", + "column_5": "2", + "column_6": "–", + "column_7": "12", + "column_8": "–", + "column_9": "10%", + "durability": "300", + "name": "Shadow Kazite Light Armor", + "resistances": "20%", + "weight": "6.0" + }, + { + "class": "Boots", + "column_4": "9%", + "column_5": "1", + "column_6": "–", + "column_7": "–", + "column_8": "–", + "column_9": "5%", + "durability": "300", + "name": "Shadow Kazite Light Boots", + "resistances": "13%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "9%", + "column_5": "1", + "column_6": "–", + "column_7": "–", + "column_8": "15%", + "column_9": "5%", + "durability": "300", + "name": "Shadow Kazite Light Helmet", + "resistances": "13%", + "weight": "3.0" + }, + { + "class": "Body Armor", + "column_4": "14%", + "column_5": "2", + "column_6": "12", + "column_7": "–", + "column_8": "–", + "column_9": "10%", + "durability": "300", + "name": "Shadow Light Kazite Shirt", + "resistances": "20%", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Shadow Kazite Light Armor", + "20%", + "14%", + "2", + "–", + "12", + "–", + "10%", + "300", + "6.0", + "Body Armor" + ], + [ + "", + "Shadow Kazite Light Boots", + "13%", + "9%", + "1", + "–", + "–", + "–", + "5%", + "300", + "4.0", + "Boots" + ], + [ + "", + "Shadow Kazite Light Helmet", + "13%", + "9%", + "1", + "–", + "–", + "15%", + "5%", + "300", + "3.0", + "Helmets" + ], + [ + "", + "Shadow Light Kazite Shirt", + "20%", + "14%", + "2", + "12", + "–", + "–", + "10%", + "300", + "6.0", + "Body Armor" + ] + ] + } + ], + "description": "Shadow Kazite Set is a Set in Outward." + }, + { + "name": "Shadow Light Kazite Shirt", + "url": "https://outward.fandom.com/wiki/Shadow_Light_Kazite_Shirt", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "550", + "Cooldown Reduction": "10%", + "DLC": "The Soroboreans", + "Damage Resist": "20%", + "Durability": "300", + "Hot Weather Def.": "12", + "Impact Resist": "14%", + "Item Set": "Shadow Kazite Set", + "Object ID": "3100247", + "Protection": "2", + "Sell": "165", + "Slot": "Chest", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a0/Shadow_Light_Kazite_Shirt.png/revision/latest/scale-to-width-down/83?cb=20200616185619", + "recipes": [ + { + "result": "Shadow Light Kazite Shirt", + "result_count": "1x", + "ingredients": [ + "Shadow Kazite Light Armor" + ], + "station": "None", + "source_page": "Shadow Light Kazite Shirt" + }, + { + "result": "Shadow Kazite Light Armor", + "result_count": "1x", + "ingredients": [ + "Shadow Light Kazite Shirt", + "Linen Cloth" + ], + "station": "None", + "source_page": "Shadow Light Kazite Shirt" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Light Kazite Shirt", + "upgrade": "Shadow Light Kazite Shirt" + } + ], + "raw_rows": [ + [ + "Light Kazite Shirt", + "Shadow Light Kazite Shirt" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shadow Kazite Light Armor", + "result": "1x Shadow Light Kazite Shirt", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Shadow Light Kazite Shirt", + "Shadow Kazite Light Armor", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shadow Light Kazite ShirtLinen Cloth", + "result": "1x Shadow Kazite Light Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Shadow Kazite Light Armor", + "Shadow Light Kazite ShirtLinen Cloth", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Shadow Light Kazite Shirt is a type of Equipment in Outward." + }, + { + "name": "Shaft Handle", + "url": "https://outward.fandom.com/wiki/Shaft_Handle", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "45", + "DLC": "The Three Brothers", + "Object ID": "6000490", + "Sell": "14", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/84/Shaft_Handle.png/revision/latest/scale-to-width-down/83?cb=20201220075255", + "recipes": [ + { + "result": "Astral Halberd", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Shaft Handle" + }, + { + "result": "Astral Spear", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Spike Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Shaft Handle" + }, + { + "result": "Astral Staff", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Long Handle", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Shaft Handle" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shaft HandleBlade PrismWaning Tentacle", + "result": "1x Astral Halberd", + "station": "None" + }, + { + "ingredients": "Shaft HandleSpike PrismWaning Tentacle", + "result": "1x Astral Spear", + "station": "None" + }, + { + "ingredients": "Shaft HandleLong HandleWaning Tentacle", + "result": "1x Astral Staff", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Halberd", + "Shaft HandleBlade PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Spear", + "Shaft HandleSpike PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Staff", + "Shaft HandleLong HandleWaning Tentacle", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "9.5%", + "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Shaft Handle is an Item in Outward." + }, + { + "name": "Shark Cartilage", + "url": "https://outward.fandom.com/wiki/Shark_Cartilage", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "Object ID": "6600170", + "Sell": "18", + "Type": "Ingredient", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/eb/Shark_Cartilage.png/revision/latest/scale-to-width-down/83?cb=20190419162756", + "recipes": [ + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Shark Cartilage" + }, + { + "result": "Crescent Greataxe", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Shark Cartilage", + "Palladium Scrap", + "Felling Greataxe" + ], + "station": "None", + "source_page": "Shark Cartilage" + }, + { + "result": "Crescent Scythe", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Shark Cartilage", + "Palladium Scrap", + "Pitchfork" + ], + "station": "None", + "source_page": "Shark Cartilage" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shark CartilageThick Oil", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Shark CartilageShark CartilagePalladium ScrapFelling Greataxe", + "result": "1x Crescent Greataxe", + "station": "None" + }, + { + "ingredients": "Shark CartilageShark CartilagePalladium ScrapPitchfork", + "result": "1x Crescent Scythe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Potion", + "Shark CartilageThick Oil", + "Alchemy Kit" + ], + [ + "1x Crescent Greataxe", + "Shark CartilageShark CartilagePalladium ScrapFelling Greataxe", + "None" + ], + [ + "1x Crescent Scythe", + "Shark CartilageShark CartilagePalladium ScrapPitchfork", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "9%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "9%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Crescent Shark" + } + ], + "raw_rows": [ + [ + "Crescent Shark", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Shark Cartilage is a crafting item in Outward." + }, + { + "name": "Shield Golem Scraps", + "url": "https://outward.fandom.com/wiki/Shield_Golem_Scraps", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6400141", + "Sell": "18", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c6/Shield_Golem_Scraps.png/revision/latest/scale-to-width-down/83?cb=20200616185621", + "recipes": [ + { + "result": "Antique Plate Boots", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Shield Golem Scraps" + ], + "station": "Howard Brock", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Antique Plate Garb", + "result_count": "1x", + "ingredients": [ + "400 silver", + "1x Shield Golem Scraps" + ], + "station": "Howard Brock", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Antique Plate Sallet", + "result_count": "1x", + "ingredients": [ + "200 silver", + "1x Shield Golem Scraps" + ], + "station": "Howard Brock", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Axe", + "result_count": "1x", + "ingredients": [ + "Iron Axe", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Bow", + "result_count": "1x", + "ingredients": [ + "Simple Bow", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Dagger", + "result_count": "1x", + "ingredients": [ + "Shiv Dagger", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Fists", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Shield Golem Scraps", + "Palladium Wristband", + "Palladium Wristband" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Greataxe", + "result_count": "1x", + "ingredients": [ + "Iron Greataxe", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Greatmace", + "result_count": "1x", + "ingredients": [ + "Iron Greathammer", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Halberd", + "result_count": "1x", + "ingredients": [ + "Iron Halberd", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Mace", + "result_count": "1x", + "ingredients": [ + "Iron Mace", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Pistol", + "result_count": "1x", + "ingredients": [ + "Flintlock Pistol", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Shield", + "result_count": "1x", + "ingredients": [ + "Round Shield", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + }, + { + "result": "Galvanic Spear", + "result_count": "1x", + "ingredients": [ + "Iron Spear", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shield Golem Scraps" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver1x Shield Golem Scraps", + "result": "1x Antique Plate Boots", + "station": "Howard Brock" + }, + { + "ingredients": "400 silver1x Shield Golem Scraps", + "result": "1x Antique Plate Garb", + "station": "Howard Brock" + }, + { + "ingredients": "200 silver1x Shield Golem Scraps", + "result": "1x Antique Plate Sallet", + "station": "Howard Brock" + } + ], + "raw_rows": [ + [ + "1x Antique Plate Boots", + "200 silver1x Shield Golem Scraps", + "Howard Brock" + ], + [ + "1x Antique Plate Garb", + "400 silver1x Shield Golem Scraps", + "Howard Brock" + ], + [ + "1x Antique Plate Sallet", + "200 silver1x Shield Golem Scraps", + "Howard Brock" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron AxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Axe", + "station": "None" + }, + { + "ingredients": "Simple BowShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Bow", + "station": "None" + }, + { + "ingredients": "Shiv DaggerShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Dagger", + "station": "None" + }, + { + "ingredients": "Beast Golem ScrapsShield Golem ScrapsPalladium WristbandPalladium Wristband", + "result": "1x Galvanic Fists", + "station": "None" + }, + { + "ingredients": "Iron GreataxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Greataxe", + "station": "None" + }, + { + "ingredients": "Iron GreathammerShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Greatmace", + "station": "None" + }, + { + "ingredients": "Iron HalberdShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Halberd", + "station": "None" + }, + { + "ingredients": "Iron MaceShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Mace", + "station": "None" + }, + { + "ingredients": "Flintlock PistolShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Pistol", + "station": "None" + }, + { + "ingredients": "Round ShieldShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Shield", + "station": "None" + }, + { + "ingredients": "Iron SpearShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Axe", + "Iron AxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Bow", + "Simple BowShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Dagger", + "Shiv DaggerShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Fists", + "Beast Golem ScrapsShield Golem ScrapsPalladium WristbandPalladium Wristband", + "None" + ], + [ + "1x Galvanic Greataxe", + "Iron GreataxeShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Greatmace", + "Iron GreathammerShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Halberd", + "Iron HalberdShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Mace", + "Iron MaceShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Pistol", + "Flintlock PistolShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Shield", + "Round ShieldShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Galvanic Spear", + "Iron SpearShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Galvanic Golem" + }, + { + "chance": "100%", + "quantity": "1 - 2", + "source": "Liquid-Cooled Golem" + } + ], + "raw_rows": [ + [ + "Galvanic Golem", + "1", + "100%" + ], + [ + "Liquid-Cooled Golem", + "1 - 2", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "36%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ark of the Exiled", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "2.8%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1 - 4", + "36%", + "Forgotten Research Laboratory" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "1 - 2", + "2.8%", + "Ark of the Exiled" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "2.8%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "1 - 2", + "2.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "2.8%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Shield Golem Scraps is an Item in Outward." + }, + { + "name": "Shimmer Potion", + "url": "https://outward.fandom.com/wiki/Shimmer_Potion", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "150", + "DLC": "The Three Brothers", + "Drink": "5%", + "Effects": "Barrier (Effect) 2Shimmer", + "Object ID": "4300400", + "Perish Time": "∞", + "Sell": "45", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a4/Shimmer_Potion.png/revision/latest/scale-to-width-down/83?cb=20201220075256", + "effects": [ + "Restores 5% Thirst", + "Player receives Barrier (Effect) (level 2)", + "Player receives Shimmer", + "+15% all Elemental Damage" + ], + "effect_links": [ + "/wiki/Barrier_(Effect)", + "/wiki/Shimmer" + ], + "recipes": [ + { + "result": "Shimmer Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Peach Seeds", + "Peach Seeds", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Shimmer Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "180 seconds", + "effects": "+15% all Elemental Damage", + "name": "Shimmer" + } + ], + "raw_rows": [ + [ + "", + "Shimmer", + "180 seconds", + "+15% all Elemental Damage" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Peach Seeds Peach Seeds Crysocolla Beetle", + "result": "1x Shimmer Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Shimmer Potion", + "Water Peach Seeds Peach Seeds Crysocolla Beetle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 40", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "2 - 40", + "50.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Ancestral General" + } + ], + "raw_rows": [ + [ + "Ancestral General", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "10%", + "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "10%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "10%", + "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Shimmer Potion is an Item in Outward." + }, + { + "name": "Shiv Dagger", + "url": "https://outward.fandom.com/wiki/Shiv_Dagger", + "categories": [ + "Items", + "Weapons", + "Daggers", + "Off-Handed Weapons" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "10", + "Class": "Daggers", + "Damage": "19", + "Durability": "100", + "Impact": "25", + "Object ID": "5110003", + "Sell": "3", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b1/Shiv_Dagger.png/revision/latest?cb=20190406064354", + "recipes": [ + { + "result": "Shiv Dagger", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Iron Scrap" + ], + "station": "None", + "source_page": "Shiv Dagger" + }, + { + "result": "Galvanic Dagger", + "result_count": "1x", + "ingredients": [ + "Shiv Dagger", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Shiv Dagger" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Shiv Dagger" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Linen Cloth Iron Scrap", + "result": "1x Shiv Dagger", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Shiv Dagger", + "Linen Cloth Iron Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Shiv DaggerShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Dagger", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Galvanic Dagger", + "Shiv DaggerShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + }, + { + "effects": "Gain +0.2x Mana Leech (damage dealt with the dagger will restore 0.2x the damage as Mana)", + "enchantment": "The Good Moon" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ], + [ + "The Good Moon", + "Gain +0.2x Mana Leech (damage dealt with the dagger will restore 0.2x the damage as Mana)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Vendavel Prisoner" + } + ], + "raw_rows": [ + [ + "Vendavel Prisoner", + "1", + "100%", + "Vendavel Fortress" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.3%", + "quantity": "1 - 2", + "source": "Animated Skeleton" + }, + { + "chance": "5.3%", + "quantity": "1 - 2", + "source": "Marsh Bandit" + } + ], + "raw_rows": [ + [ + "Animated Skeleton", + "1 - 2", + "5.3%" + ], + [ + "Marsh Bandit", + "1 - 2", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 2", + "8.6%", + "Abrassar, Trog Infiltration" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "The Shiv Dagger is the weakest dagger in Outward but is very easy to craft early on in the game." + }, + { + "name": "Shock Armor", + "url": "https://outward.fandom.com/wiki/Shock_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "825", + "Damage Resist": "21% 30%", + "Durability": "500", + "Effects": "10% Impact bonus", + "Impact Resist": "25%", + "Item Set": "Shock Set", + "Object ID": "3100170", + "Protection": "1", + "Sell": "247", + "Slot": "Chest", + "Stamina Cost": "5%", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2d/Shock_Armor.png/revision/latest?cb=20190629155152", + "effects": [ + "10% Impact bonus" + ], + "recipes": [ + { + "result": "Shock Armor", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Scourge's Tears", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Shock Armor" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Pearlbird's Courage Scourge's Tears Calixa's Relic Vendavel's Hospitality", + "result": "1x Shock Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Shock Armor", + "Pearlbird's Courage Scourge's Tears Calixa's Relic Vendavel's Hospitality", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Shock Armor is a type of Armor in Outward." + }, + { + "name": "Shock Boots", + "url": "https://outward.fandom.com/wiki/Shock_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "450", + "Damage Resist": "12% 30%", + "Durability": "500", + "Effects": "10% Impact bonus", + "Impact Resist": "15%", + "Item Set": "Shock Set", + "Object ID": "3100172", + "Protection": "1", + "Sell": "135", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c3/Shock_Boots.png/revision/latest?cb=20190629155154", + "effects": [ + "10% Impact bonus" + ], + "recipes": [ + { + "result": "Shock Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Calixa's Relic", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Shock Boots" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Calixa's Relic Leyline Figment Vendavel's Hospitality", + "result": "1x Shock Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Shock Boots", + "Gep's Generosity Calixa's Relic Leyline Figment Vendavel's Hospitality", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Shock Boots is a type of Armor in Outward." + }, + { + "name": "Shock Helmet", + "url": "https://outward.fandom.com/wiki/Shock_Helmet", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "450", + "Damage Resist": "14% 30%", + "Durability": "500", + "Effects": "10% Impact bonus", + "Impact Resist": "15%", + "Item Set": "Shock Set", + "Mana Cost": "15%", + "Object ID": "3100171", + "Protection": "1", + "Sell": "135", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/56/Shock_Helmet.png/revision/latest?cb=20190629155156", + "effects": [ + "10% Impact bonus" + ], + "recipes": [ + { + "result": "Shock Helmet", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Scourge's Tears", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Shock Helmet" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Scourge's Tears Leyline Figment Vendavel's Hospitality", + "result": "1x Shock Helmet", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Shock Helmet", + "Gep's Generosity Scourge's Tears Leyline Figment Vendavel's Hospitality", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Shock Helmet is a type of Armor in Outward." + }, + { + "name": "Shock Set", + "url": "https://outward.fandom.com/wiki/Shock_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1725", + "Damage Resist": "47% 90%", + "Durability": "1500", + "Impact Resist": "55%", + "Mana Cost": "15%", + "Object ID": "3100170 (Chest)3100172 (Legs)3100171 (Head)", + "Protection": "3", + "Sell": "517", + "Slot": "Set", + "Stamina Cost": "11%", + "Weight": "24.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/27/Shock_Set.png/revision/latest/scale-to-width-down/250?cb=20190910071607", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "25%", + "column_5": "1", + "column_6": "5%", + "column_7": "–", + "durability": "500", + "effects": "10% Impact bonus", + "name": "Shock Armor", + "resistances": "21% 30%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "15%", + "column_5": "1", + "column_6": "2%", + "column_7": "–", + "durability": "500", + "effects": "10% Impact bonus", + "name": "Shock Boots", + "resistances": "12% 30%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "15%", + "column_5": "1", + "column_6": "4%", + "column_7": "15%", + "durability": "500", + "effects": "10% Impact bonus", + "name": "Shock Helmet", + "resistances": "14% 30%", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Shock Armor", + "21% 30%", + "25%", + "1", + "5%", + "–", + "500", + "12.0", + "10% Impact bonus", + "Body Armor" + ], + [ + "", + "Shock Boots", + "12% 30%", + "15%", + "1", + "2%", + "–", + "500", + "6.0", + "10% Impact bonus", + "Boots" + ], + [ + "", + "Shock Helmet", + "14% 30%", + "15%", + "1", + "4%", + "15%", + "500", + "6.0", + "10% Impact bonus", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "25%", + "column_5": "1", + "column_6": "5%", + "column_7": "–", + "durability": "500", + "effects": "10% Impact bonus", + "name": "Shock Armor", + "resistances": "21% 30%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "15%", + "column_5": "1", + "column_6": "2%", + "column_7": "–", + "durability": "500", + "effects": "10% Impact bonus", + "name": "Shock Boots", + "resistances": "12% 30%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_4": "15%", + "column_5": "1", + "column_6": "4%", + "column_7": "15%", + "durability": "500", + "effects": "10% Impact bonus", + "name": "Shock Helmet", + "resistances": "14% 30%", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Shock Armor", + "21% 30%", + "25%", + "1", + "5%", + "–", + "500", + "12.0", + "10% Impact bonus", + "Body Armor" + ], + [ + "", + "Shock Boots", + "12% 30%", + "15%", + "1", + "2%", + "–", + "500", + "6.0", + "10% Impact bonus", + "Boots" + ], + [ + "", + "Shock Helmet", + "14% 30%", + "15%", + "1", + "4%", + "15%", + "500", + "6.0", + "10% Impact bonus", + "Helmets" + ] + ] + } + ], + "description": "Shock Set is a Set in Outward." + }, + { + "name": "Short Handle", + "url": "https://outward.fandom.com/wiki/Short_Handle", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "45", + "DLC": "The Three Brothers", + "Object ID": "6000460", + "Sell": "14", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b4/Short_Handle.png/revision/latest/scale-to-width-down/83?cb=20201220075257", + "recipes": [ + { + "result": "Astral Axe", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Short Handle" + }, + { + "result": "Astral Bow", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Short Handle", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Short Handle" + }, + { + "result": "Astral Mace", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Short Handle" + }, + { + "result": "Astral Sword", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Short Handle" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Short HandleFlat PrismWaning Tentacle", + "result": "1x Astral Axe", + "station": "None" + }, + { + "ingredients": "Short HandleShort HandleWaning Tentacle", + "result": "1x Astral Bow", + "station": "None" + }, + { + "ingredients": "Short HandleBlunt PrismWaning Tentacle", + "result": "1x Astral Mace", + "station": "None" + }, + { + "ingredients": "Short HandleBlade PrismWaning Tentacle", + "result": "1x Astral Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Axe", + "Short HandleFlat PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Bow", + "Short HandleShort HandleWaning Tentacle", + "None" + ], + [ + "1x Astral Mace", + "Short HandleBlunt PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Sword", + "Short HandleBlade PrismWaning Tentacle", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "13.5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "13.5%", + "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Short Handle is an Item in Outward." + }, + { + "name": "Shriek", + "url": "https://outward.fandom.com/wiki/Shriek", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "35 35", + "Durability": "666", + "Effects": "PlaguePoisoned", + "Impact": "33", + "Object ID": "2130315", + "Sell": "750", + "Stamina Cost": "5.6", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5a/Shriek.png/revision/latest/scale-to-width-down/83?cb=20201220075258", + "effects": [ + "Inflicts Plague (30% buildup)", + "Inflicts the player with Poisoned (15%) each hit." + ], + "effect_links": [ + "/wiki/Effects#Buildup", + "/wiki/Poisoned" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "35 35", + "description": "Two forward-thrusting stabs", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7", + "damage": "49 49", + "description": "Forward-lunging strike", + "impact": "39.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "45.5 45.5", + "description": "Left-sweeping strike, jump back", + "impact": "39.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "42 42", + "description": "Fast spinning strike from the right", + "impact": "36.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "35 35", + "33", + "5.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "49 49", + "39.6", + "7", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "45.5 45.5", + "39.6", + "7", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "42 42", + "36.3", + "7", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Shriek is a Unique type of Weapon in Outward." + }, + { + "name": "Silver", + "url": "https://outward.fandom.com/wiki/Silver", + "categories": [ + "Currency", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "1", + "Object ID": "9000010", + "Sell": "1", + "Type": "Currency", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0b/Silver.png/revision/latest?cb=20190417110553", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "52.1%", + "quantity": "5", + "source": "Kazite Archer" + }, + { + "chance": "51.2%", + "quantity": "5", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "45.8%", + "quantity": "5", + "source": "Kazite Lieutenant" + }, + { + "chance": "45%", + "quantity": "5", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "32.5%", + "quantity": "15 - 50", + "source": "Animated Skeleton (Miner)" + }, + { + "chance": "30.2%", + "quantity": "4", + "source": "Marsh Archer" + }, + { + "chance": "26.1%", + "quantity": "5", + "source": "Desert Archer" + }, + { + "chance": "25%", + "quantity": "4", + "source": "Bandit Defender" + }, + { + "chance": "25%", + "quantity": "4", + "source": "Bandit Lieutenant" + }, + { + "chance": "25%", + "quantity": "4", + "source": "Roland Argenson" + }, + { + "chance": "23.8%", + "quantity": "4", + "source": "Bandit Lieutenant" + }, + { + "chance": "22.7%", + "quantity": "4", + "source": "Bloody Alexis" + }, + { + "chance": "22.7%", + "quantity": "4", + "source": "Desert Lieutenant" + }, + { + "chance": "21.2%", + "quantity": "3", + "source": "Bandit Archer" + }, + { + "chance": "21.2%", + "quantity": "5", + "source": "Kazite Bandit" + } + ], + "raw_rows": [ + [ + "Kazite Archer", + "5", + "52.1%" + ], + [ + "Kazite Archer (Antique Plateau)", + "5", + "51.2%" + ], + [ + "Kazite Lieutenant", + "5", + "45.8%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "5", + "45%" + ], + [ + "Animated Skeleton (Miner)", + "15 - 50", + "32.5%" + ], + [ + "Marsh Archer", + "4", + "30.2%" + ], + [ + "Desert Archer", + "5", + "26.1%" + ], + [ + "Bandit Defender", + "4", + "25%" + ], + [ + "Bandit Lieutenant", + "4", + "25%" + ], + [ + "Roland Argenson", + "4", + "25%" + ], + [ + "Bandit Lieutenant", + "4", + "23.8%" + ], + [ + "Bloody Alexis", + "4", + "22.7%" + ], + [ + "Desert Lieutenant", + "4", + "22.7%" + ], + [ + "Bandit Archer", + "3", + "21.2%" + ], + [ + "Kazite Bandit", + "5", + "21.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33.3%", + "locations": "Stone Titan Caves", + "quantity": "10 - 20", + "source": "Adventurer's Corpse" + }, + { + "chance": "33.3%", + "locations": "Ancient Foundry, Bandit Hideout, Berg, Chersonese, Dead Roots, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Hallowed Marsh, Harmattan, Immaculate's Camp, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Vault of Stone, Vigil Pylon", + "quantity": "10 - 20", + "source": "Chest" + }, + { + "chance": "33.3%", + "locations": "Abrassar, Ark of the Exiled, Caldera, Forgotten Research Laboratory, Hive Prison, The Eldest Brother", + "quantity": "10 - 20", + "source": "Corpse" + }, + { + "chance": "33.3%", + "locations": "Antique Plateau, Hallowed Marsh, Steakosaur's Burrow", + "quantity": "10 - 20", + "source": "Hollowed Trunk" + }, + { + "chance": "33.3%", + "locations": "Abandoned Living Quarters, Antique Plateau, Ark of the Exiled, Caldera, Calygrey Colosseum, Heroic Kingdom's Conflux Path, Oil Refinery, Old Sirocco, Sand Rose Cave, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The River of Red, The Tower of Regrets, Troglodyte Warren, Undercity Passage, Underside Loading Dock, Vigil Pylon, Vigil Tomb", + "quantity": "10 - 20", + "source": "Junk Pile" + }, + { + "chance": "33.3%", + "locations": "Ancient Hive, Bandit Hideout, Blister Burrow, Blood Mage Hideout, Corrupted Tombs, Crumbling Loading Docks, Wendigo Lair", + "quantity": "10 - 20", + "source": "Looter's Corpse" + }, + { + "chance": "33.3%", + "locations": "Abrassar", + "quantity": "10 - 20", + "source": "Ornate Chest" + }, + { + "chance": "33.3%", + "locations": "Abandoned Living Quarters, Blue Chamber's Conflux Path, Compromised Mana Transfer Station, Forest Hives, Forgotten Research Laboratory, Royal Manticore's Lair, The Slide", + "quantity": "10 - 20", + "source": "Scavenger's Corpse" + }, + { + "chance": "33.3%", + "locations": "Monsoon", + "quantity": "10 - 20", + "source": "Stash" + }, + { + "chance": "33.3%", + "locations": "Jade Quarry", + "quantity": "10 - 20", + "source": "Trog Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "10 - 20", + "33.3%", + "Stone Titan Caves" + ], + [ + "Chest", + "10 - 20", + "33.3%", + "Ancient Foundry, Bandit Hideout, Berg, Chersonese, Dead Roots, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Hallowed Marsh, Harmattan, Immaculate's Camp, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Vault of Stone, Vigil Pylon" + ], + [ + "Corpse", + "10 - 20", + "33.3%", + "Abrassar, Ark of the Exiled, Caldera, Forgotten Research Laboratory, Hive Prison, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "10 - 20", + "33.3%", + "Antique Plateau, Hallowed Marsh, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "10 - 20", + "33.3%", + "Abandoned Living Quarters, Antique Plateau, Ark of the Exiled, Caldera, Calygrey Colosseum, Heroic Kingdom's Conflux Path, Oil Refinery, Old Sirocco, Sand Rose Cave, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The River of Red, The Tower of Regrets, Troglodyte Warren, Undercity Passage, Underside Loading Dock, Vigil Pylon, Vigil Tomb" + ], + [ + "Looter's Corpse", + "10 - 20", + "33.3%", + "Ancient Hive, Bandit Hideout, Blister Burrow, Blood Mage Hideout, Corrupted Tombs, Crumbling Loading Docks, Wendigo Lair" + ], + [ + "Ornate Chest", + "10 - 20", + "33.3%", + "Abrassar" + ], + [ + "Scavenger's Corpse", + "10 - 20", + "33.3%", + "Abandoned Living Quarters, Blue Chamber's Conflux Path, Compromised Mana Transfer Station, Forest Hives, Forgotten Research Laboratory, Royal Manticore's Lair, The Slide" + ], + [ + "Stash", + "10 - 20", + "33.3%", + "Monsoon" + ], + [ + "Trog Chest", + "10 - 20", + "33.3%", + "Jade Quarry" + ] + ] + } + ], + "description": "Silver is an item in Outward, which serves the purpose of currency." + }, + { + "name": "Silver Armor", + "url": "https://outward.fandom.com/wiki/Silver_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Barrier": "2", + "Buy": "440", + "Damage Resist": "19% 30%", + "Durability": "260", + "Impact Resist": "13%", + "Item Set": "Silver Set", + "Movement Speed": "-3%", + "Object ID": "3100100", + "Protection": "2", + "Sell": "146", + "Slot": "Chest", + "Stamina Cost": "3%", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d0/Silver_Armor.png/revision/latest?cb=20190415125931", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "22.8%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + }, + { + "chance": "21%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "22.8%", + "Harmattan" + ], + [ + "Quikiza the Blacksmith", + "1 - 2", + "21%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Spire of Light", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Jade Quarry", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Jade Quarry", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Spire of Light" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Jade Quarry" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Jade Quarry" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +15 Corruption resistanceGain +25% Lightning damage bonus", + "enchantment": "Spirit of Monsoon" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Spirit of Monsoon", + "Gain +15 Corruption resistanceGain +25% Lightning damage bonus" + ] + ] + } + ], + "description": "Silver Armor is a type of Armor in Outward." + }, + { + "name": "Silver Boots", + "url": "https://outward.fandom.com/wiki/Silver_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Barrier": "1", + "Buy": "240", + "Damage Resist": "13% 15%", + "Durability": "260", + "Impact Resist": "8%", + "Item Set": "Silver Set", + "Movement Speed": "-2%", + "Object ID": "3100102", + "Protection": "1", + "Sell": "79", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/54/Silver_Boots.png/revision/latest?cb=20190415160126", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "21%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Quikiza the Blacksmith" + } + ], + "raw_rows": [ + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ], + [ + "Quikiza the Blacksmith", + "1 - 2", + "21%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Spire of Light", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Jade Quarry", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Jade Quarry", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Spire of Light" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Jade Quarry" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Jade Quarry" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Silver Boots is a type of Armor in Outward." + }, + { + "name": "Silver Helm", + "url": "https://outward.fandom.com/wiki/Silver_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Barrier": "1", + "Buy": "240", + "Damage Resist": "13% 15%", + "Durability": "260", + "Impact Resist": "8%", + "Item Set": "Silver Set", + "Mana Cost": "15%", + "Movement Speed": "-2%", + "Object ID": "3100101", + "Protection": "1", + "Sell": "72", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Silver_Helm.png/revision/latest?cb=20190407195257", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "21%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "20.8%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ], + [ + "Quikiza the Blacksmith", + "1 - 2", + "21%", + "Berg" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "20.8%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh, Reptilian Lair", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Spire of Light", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Jade Quarry", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Jade Quarry", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Hallowed Marsh, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Spire of Light" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Jade Quarry" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Jade Quarry" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Silver Helm is a type of Armor in Outward." + }, + { + "name": "Silver Set", + "url": "https://outward.fandom.com/wiki/Silver_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Barrier": "4", + "Buy": "920", + "Damage Resist": "45% 60%", + "Durability": "780", + "Impact Resist": "29%", + "Mana Cost": "15%", + "Movement Speed": "-7%", + "Object ID": "3100100 (Chest)3100102 (Legs)3100101 (Head)", + "Protection": "4", + "Sell": "297", + "Slot": "Set", + "Stamina Cost": "7%", + "Weight": "25.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/03/Silver_set.png/revision/latest/scale-to-width-down/249?cb=20190415213706", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "13%", + "column_5": "2", + "column_6": "2", + "column_7": "3%", + "column_8": "–", + "column_9": "-3%", + "durability": "260", + "name": "Silver Armor", + "resistances": "19% 30%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "8%", + "column_5": "1", + "column_6": "1", + "column_7": "2%", + "column_8": "–", + "column_9": "-2%", + "durability": "260", + "name": "Silver Boots", + "resistances": "13% 15%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "column_5": "1", + "column_6": "1", + "column_7": "2%", + "column_8": "15%", + "column_9": "-2%", + "durability": "260", + "name": "Silver Helm", + "resistances": "13% 15%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Silver Armor", + "19% 30%", + "13%", + "2", + "2", + "3%", + "–", + "-3%", + "260", + "12.0", + "Body Armor" + ], + [ + "", + "Silver Boots", + "13% 15%", + "8%", + "1", + "1", + "2%", + "–", + "-2%", + "260", + "8.0", + "Boots" + ], + [ + "", + "Silver Helm", + "13% 15%", + "8%", + "1", + "1", + "2%", + "15%", + "-2%", + "260", + "5.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "13%", + "column_5": "2", + "column_6": "2", + "column_7": "3%", + "column_8": "–", + "column_9": "-3%", + "durability": "260", + "name": "Silver Armor", + "resistances": "19% 30%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "8%", + "column_5": "1", + "column_6": "1", + "column_7": "2%", + "column_8": "–", + "column_9": "-2%", + "durability": "260", + "name": "Silver Boots", + "resistances": "13% 15%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "8%", + "column_5": "1", + "column_6": "1", + "column_7": "2%", + "column_8": "15%", + "column_9": "-2%", + "durability": "260", + "name": "Silver Helm", + "resistances": "13% 15%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Silver Armor", + "19% 30%", + "13%", + "2", + "2", + "3%", + "–", + "-3%", + "260", + "12.0", + "Body Armor" + ], + [ + "", + "Silver Boots", + "13% 15%", + "8%", + "1", + "1", + "2%", + "–", + "-2%", + "260", + "8.0", + "Boots" + ], + [ + "", + "Silver Helm", + "13% 15%", + "8%", + "1", + "1", + "2%", + "15%", + "-2%", + "260", + "5.0", + "Helmets" + ] + ] + } + ], + "description": "Silver Set is a Set in Outward." + }, + { + "name": "Simple Bow", + "url": "https://outward.fandom.com/wiki/Simple_Bow", + "categories": [ + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "13", + "Class": "Bows", + "Damage": "26", + "Durability": "250", + "Impact": "12", + "Object ID": "2200000", + "Sell": "3", + "Stamina Cost": "2.13", + "Type": "Two-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c4/Simple_Bow.png/revision/latest?cb=20190412210159", + "recipes": [ + { + "result": "Galvanic Bow", + "result_count": "1x", + "ingredients": [ + "Simple Bow", + "Shield Golem Scraps", + "Crystal Powder", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Simple Bow" + }, + { + "result": "Obsidian Bow", + "result_count": "1x", + "ingredients": [ + "Simple Bow", + "Obsidian Shard", + "Obsidian Shard", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Simple Bow" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Simple BowShield Golem ScrapsCrystal PowderPalladium Scrap", + "result": "1x Galvanic Bow", + "station": "None" + }, + { + "ingredients": "Simple BowObsidian ShardObsidian ShardPalladium Scrap", + "result": "1x Obsidian Bow", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Galvanic Bow", + "Simple BowShield Golem ScrapsCrystal PowderPalladium Scrap", + "None" + ], + [ + "1x Obsidian Bow", + "Simple BowObsidian ShardObsidian ShardPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Vyzyrinthrix the Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ], + [ + "Lawrence Dakers, Hunter", + "1", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "1", + "100%", + "Cierzo" + ], + [ + "Vyzyrinthrix the Blacksmith", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Archer" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Marsh Archer" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Vendavel Archer" + } + ], + "raw_rows": [ + [ + "Bandit Archer", + "1", + "100%" + ], + [ + "Marsh Archer", + "1", + "100%" + ], + [ + "Vendavel Archer", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blister Burrow, Conflux Chambers, Pirates' Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.5%", + "locations": "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.5%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.5%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.5%", + "locations": "Chersonese, Montcalm Clan Fort", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.5%", + "locations": "Corrupted Tombs, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.2%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.5%", + "Blister Burrow, Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1", + "6.5%", + "Blue Chamber's Conflux Path, Chersonese, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Mansion's Cellar, Montcalm Clan Fort" + ], + [ + "Hollowed Trunk", + "1", + "6.5%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "6.5%", + "Chersonese, Cierzo (Destroyed), Ghost Pass, Vendavel Fortress" + ], + [ + "Knight's Corpse", + "1", + "6.5%", + "Corrupted Tombs" + ], + [ + "Looter's Corpse", + "1", + "6.5%", + "Vendavel Fortress" + ], + [ + "Ornate Chest", + "1", + "6.5%", + "Chersonese, Montcalm Clan Fort" + ], + [ + "Soldier's Corpse", + "1", + "6.5%", + "Corrupted Tombs, Heroic Kingdom's Conflux Path" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "6.2%", + "Flooded Cellar, Hallowed Marsh, Hollowed Lotus, Immaculate's Camp, Jade Quarry, Ziggurat Passage" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Simple Bow is a bow in Outward." + }, + { + "name": "Simple Shoes", + "url": "https://outward.fandom.com/wiki/Simple_Shoes", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "6", + "Cold Weather Def.": "3", + "Damage Resist": "1%", + "Durability": "90", + "Impact Resist": "1%", + "Object ID": "3000004", + "Sell": "2", + "Slot": "Legs", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/90/Simple_Shoes.png/revision/latest?cb=20190415160253", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Simple Shoes" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Simple Shoes" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Simple Shoes" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +12% Impact resistance", + "enchantment": "Unwavering Determination" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unwavering Determination", + "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +12% Impact resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "8.2%", + "quantity": "1", + "source": "Fishing/Harmattan" + }, + { + "chance": "8.2%", + "quantity": "1", + "source": "Fishing/Harmattan Magic" + }, + { + "chance": "8.2%", + "quantity": "1", + "source": "Fishing/Swamp" + } + ], + "raw_rows": [ + [ + "Fishing/Harmattan", + "1", + "8.2%" + ], + [ + "Fishing/Harmattan Magic", + "1", + "8.2%" + ], + [ + "Fishing/Swamp", + "1", + "8.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "48.8%", + "quantity": "1 - 4", + "source": "That Annoying Troglodyte" + } + ], + "raw_rows": [ + [ + "That Annoying Troglodyte", + "1 - 4", + "48.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "5%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "4.6%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Broken Tent" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "5%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "5%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Broken Tent", + "1", + "4.6%", + "Hallowed Marsh" + ] + ] + } + ], + "description": "Simple Shoes is a type of Boot in Outward." + }, + { + "name": "Simple Tent", + "url": "https://outward.fandom.com/wiki/Simple_Tent", + "categories": [ + "Deployable", + "Tent", + "Items" + ], + "infobox": { + "Buy": "32", + "Class": "Deployable", + "Duration": "2400 seconds (40 minutes)", + "Effects": "-5% Stamina cost of actions", + "Object ID": "5000010", + "Sell": "10", + "Type": "Sleep", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/de/Simple_Tent.png/revision/latest/scale-to-width-down/83?cb=20190617104844", + "effects": [ + "-5% Stamina cost of actions" + ], + "tables": [ + { + "title": "Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "2400 seconds (40 minutes)", + "effects": "-5% Stamina cost of actions", + "name": "Sleep: Simple Tent" + } + ], + "raw_rows": [ + [ + "", + "Sleep: Simple Tent", + "2400 seconds (40 minutes)", + "-5% Stamina cost of actions" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "2", + "100%", + "New Sirocco" + ], + [ + "Shopkeeper Doran", + "1", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.9%", + "locations": "The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.9%", + "locations": "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "6.9%", + "locations": "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.9%", + "locations": "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Royal Manticore's Lair, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.9%", + "locations": "Dead Tree, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.9%", + "locations": "Ancient Hive, Dead Roots, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "6.9%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.9%", + "The Slide, Ziggurat Passage" + ], + [ + "Chest", + "1", + "6.9%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery" + ], + [ + "Corpse", + "1", + "6.9%", + "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory" + ], + [ + "Hollowed Trunk", + "1", + "6.9%", + "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair" + ], + [ + "Junk Pile", + "1", + "6.9%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1", + "6.9%", + "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island" + ], + [ + "Looter's Corpse", + "1", + "6.9%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Royal Manticore's Lair, Wendigo Lair" + ], + [ + "Ornate Chest", + "1", + "6.9%", + "Dead Tree, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Soldier's Corpse", + "1", + "6.9%", + "Ancient Hive, Dead Roots, Heroic Kingdom's Conflux Path" + ], + [ + "Stash", + "1", + "6.9%", + "Berg" + ] + ] + } + ], + "description": "Simple Tent is a type of tent in Outward, used for Resting." + }, + { + "name": "Sinner Claymore", + "url": "https://outward.fandom.com/wiki/Sinner_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "500", + "Class": "Swords", + "Damage": "41", + "Durability": "375", + "Impact": "35", + "Object ID": "2100001", + "Sell": "150", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/15/Sinner_Claymore.png/revision/latest/scale-to-width-down/83?cb=20190629155406", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Sinner Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "41", + "description": "Two slashing strikes, left to right", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.36", + "damage": "61.5", + "description": "Overhead downward-thrusting strike", + "impact": "52.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "51.86", + "description": "Spinning strike from the right", + "impact": "38.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "51.86", + "description": "Spinning strike from the left", + "impact": "38.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "41", + "35", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "61.5", + "52.5", + "9.36", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "51.86", + "38.5", + "7.92", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "51.86", + "38.5", + "7.92", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Prayer Claymore", + "upgrade": "Sinner Claymore" + } + ], + "raw_rows": [ + [ + "Prayer Claymore", + "Sinner Claymore" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +20% Lightning damage bonusWeapon now inflicts Doomed (35% buildup) and Elemental Vulnerability (25% buildup)", + "enchantment": "Redemption" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Redemption", + "Gain +20% Lightning damage bonusWeapon now inflicts Doomed (35% buildup) and Elemental Vulnerability (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Sinner Claymore is a type of Two-Handed Sword weapon in Outward." + }, + { + "name": "Sky Chimes", + "url": "https://outward.fandom.com/wiki/Sky_Chimes", + "categories": [ + "DLC: The Three Brothers", + "Instrument", + "Items" + ], + "infobox": { + "Buy": "5", + "Class": "Instrument", + "Effects": "Magical instrument used to deal Lightning effects.", + "Object ID": "5000302", + "Sell": "2", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/20/Sky_Chimes.png/revision/latest/scale-to-width-down/83?cb=20201220075300", + "effects": [ + "Deployed with Welkin Ring. See Welkin Ring page for effects." + ], + "description": "Sky Chimes is an Item in Outward." + }, + { + "name": "Skycrown Mace", + "url": "https://outward.fandom.com/wiki/Skycrown_Mace", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2000", + "Class": "Maces", + "Damage": "23.5 23.5", + "Durability": "550", + "Impact": "50", + "Object ID": "2020140", + "Sell": "600", + "Stamina Cost": "4.6", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/40/Skycrown_Mace.png/revision/latest?cb=20190412211636", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.6", + "damage": "23.5 23.5", + "description": "Two wide-sweeping strikes, right to left", + "impact": "50", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.98", + "damage": "30.55 30.55", + "description": "Slow, overhead strike with high impact", + "impact": "125", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.98", + "damage": "30.55 30.55", + "description": "Fast, forward-thrusting strike", + "impact": "65", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.98", + "damage": "30.55 30.55", + "description": "Fast, forward-thrusting strike", + "impact": "65", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "23.5 23.5", + "50", + "4.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "30.55 30.55", + "125", + "5.98", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "30.55 30.55", + "65", + "5.98", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "30.55 30.55", + "65", + "5.98", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "The First Cannibal" + } + ], + "raw_rows": [ + [ + "The First Cannibal", + "1", + "100%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Skycrown Mace is an unique one-handed mace in Outward." + }, + { + "name": "Slayer's Armor", + "url": "https://outward.fandom.com/wiki/Slayer%27s_Armor", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "450", + "Cold Weather Def.": "8", + "DLC": "The Three Brothers", + "Damage Bonus": "12%", + "Damage Resist": "22% 10% 10%", + "Durability": "250", + "Hot Weather Def.": "8", + "Impact Resist": "9%", + "Item Set": "Slayer's Set", + "Object ID": "3100410", + "Sell": "135", + "Slot": "Chest", + "Status Resist": "20%", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e0/Slayer%27s_Armor.png/revision/latest/scale-to-width-down/83?cb=20201220075301", + "recipes": [ + { + "result": "Slayer's Armor", + "result_count": "1x", + "ingredients": [ + "Myrm Tongue", + "Gargoyle Urn Shard", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Slayer's Armor" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Myrm Tongue Gargoyle Urn Shard Palladium Scrap Palladium Scrap", + "result": "1x Slayer's Armor", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Slayer's Armor", + "Myrm Tongue Gargoyle Urn Shard Palladium Scrap Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Slayer's Armor is a type of Equipment in Outward." + }, + { + "name": "Slayer's Boots", + "url": "https://outward.fandom.com/wiki/Slayer%27s_Boots", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "250", + "Cold Weather Def.": "4", + "DLC": "The Three Brothers", + "Damage Bonus": "7%", + "Damage Resist": "14% 10%", + "Durability": "250", + "Hot Weather Def.": "4", + "Impact Resist": "7%", + "Item Set": "Slayer's Set", + "Object ID": "3100412", + "Sell": "75", + "Slot": "Legs", + "Status Resist": "15%", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/de/Slayer%27s_Boots.png/revision/latest/scale-to-width-down/83?cb=20201220075302", + "recipes": [ + { + "result": "Slayer's Boots", + "result_count": "1x", + "ingredients": [ + "Gargoyle Urn Shard", + "Calygrey Hairs", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Slayer's Boots" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gargoyle Urn Shard Calygrey Hairs Palladium Scrap", + "result": "1x Slayer's Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Slayer's Boots", + "Gargoyle Urn Shard Calygrey Hairs Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Slayer's Boots is a type of Equipment in Outward." + }, + { + "name": "Slayer's Helmet", + "url": "https://outward.fandom.com/wiki/Slayer%27s_Helmet", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "250", + "Cold Weather Def.": "4", + "DLC": "The Three Brothers", + "Damage Bonus": "7%", + "Damage Resist": "16% 5% 5%", + "Durability": "250", + "Hot Weather Def.": "4", + "Impact Resist": "7%", + "Item Set": "Slayer's Set", + "Object ID": "3100411", + "Sell": "75", + "Slot": "Head", + "Status Resist": "15%", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7d/Slayer%27s_Helmet.png/revision/latest/scale-to-width-down/83?cb=20201220075303", + "recipes": [ + { + "result": "Slayer's Helmet", + "result_count": "1x", + "ingredients": [ + "Dweller's Brain", + "Myrm Tongue", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Slayer's Helmet" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Dweller's Brain Myrm Tongue Palladium Scrap", + "result": "1x Slayer's Helmet", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Slayer's Helmet", + "Dweller's Brain Myrm Tongue Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Slayer's Helmet is a type of Equipment in Outward." + }, + { + "name": "Slayer's Set", + "url": "https://outward.fandom.com/wiki/Slayer%27s_Set", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "950", + "Cold Weather Def.": "16", + "DLC": "The Three Brothers", + "Damage Bonus": "26%", + "Damage Resist": "52% 15% 15% 10%", + "Durability": "750", + "Hot Weather Def.": "16", + "Impact Resist": "23%", + "Object ID": "3100410 (Chest)3100412 (Legs)3100411 (Head)", + "Sell": "285", + "Slot": "Set", + "Status Resist": "50%", + "Weight": "15.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/24/Slayer%27s_Set.png/revision/latest/scale-to-width-down/250?cb=20201231064107", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "9%", + "column_5": "20%", + "column_7": "8", + "column_8": "8", + "damage_bonus%": "12%", + "durability": "250", + "name": "Slayer's Armor", + "resistances": "22% 10% 10%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "7%", + "column_5": "15%", + "column_7": "4", + "column_8": "4", + "damage_bonus%": "7%", + "durability": "250", + "name": "Slayer's Boots", + "resistances": "14% 10%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "7%", + "column_5": "15%", + "column_7": "4", + "column_8": "4", + "damage_bonus%": "7%", + "durability": "250", + "name": "Slayer's Helmet", + "resistances": "16% 5% 5%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Slayer's Armor", + "22% 10% 10%", + "9%", + "20%", + "12%", + "8", + "8", + "250", + "8.0", + "Body Armor" + ], + [ + "", + "Slayer's Boots", + "14% 10%", + "7%", + "15%", + "7%", + "4", + "4", + "250", + "4.0", + "Boots" + ], + [ + "", + "Slayer's Helmet", + "16% 5% 5%", + "7%", + "15%", + "7%", + "4", + "4", + "250", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "9%", + "column_5": "20%", + "column_7": "8", + "column_8": "8", + "damage_bonus%": "12%", + "durability": "250", + "name": "Slayer's Armor", + "resistances": "22% 10% 10%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "7%", + "column_5": "15%", + "column_7": "4", + "column_8": "4", + "damage_bonus%": "7%", + "durability": "250", + "name": "Slayer's Boots", + "resistances": "14% 10%", + "weight": "4.0" + }, + { + "class": "Helmets", + "column_4": "7%", + "column_5": "15%", + "column_7": "4", + "column_8": "4", + "damage_bonus%": "7%", + "durability": "250", + "name": "Slayer's Helmet", + "resistances": "16% 5% 5%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Slayer's Armor", + "22% 10% 10%", + "9%", + "20%", + "12%", + "8", + "8", + "250", + "8.0", + "Body Armor" + ], + [ + "", + "Slayer's Boots", + "14% 10%", + "7%", + "15%", + "7%", + "4", + "4", + "250", + "4.0", + "Boots" + ], + [ + "", + "Slayer's Helmet", + "16% 5% 5%", + "7%", + "15%", + "7%", + "4", + "4", + "250", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Slayer's Set is a Set in Outward." + }, + { + "name": "Slumbering Shield", + "url": "https://outward.fandom.com/wiki/Slumbering_Shield", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Shields", + "DLC": "The Three Brothers", + "Damage": "30", + "Durability": "200", + "Effects": "Sapped", + "Impact": "40", + "Impact Resist": "16.8%", + "Object ID": "2300360", + "Sell": "240", + "Type": "Off-Handed", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/12/Slumbering_Shield.png/revision/latest/scale-to-width-down/83?cb=20201220075306", + "effects": [ + "Inflicts Sapped (60% buildup)" + ], + "effect_links": [ + "/wiki/Sapped", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + } + ], + "description": "Slumbering Shield is a type of Weapon in Outward." + }, + { + "name": "Small Sapphire", + "url": "https://outward.fandom.com/wiki/Small_Sapphire", + "categories": [ + "Gemstone", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "40", + "Object ID": "6200100", + "Sell": "40", + "Type": "Gemstone", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/53/Small_Sapphire.png/revision/latest/scale-to-width-down/65?cb=20200316064817", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "17.2%", + "quantity": "1", + "source": "Palladium Vein" + }, + { + "chance": "15.5%", + "quantity": "1", + "source": "Palladium Vein (Tourmaline)" + }, + { + "chance": "9.5%", + "quantity": "1", + "source": "Chalcedony Vein" + }, + { + "chance": "9.5%", + "quantity": "1", + "source": "Hexa Stone Vein" + }, + { + "chance": "9.3%", + "quantity": "1 - 2", + "source": "Rich Iron Vein" + }, + { + "chance": "6.7%", + "quantity": "1", + "source": "Iron Vein" + } + ], + "raw_rows": [ + [ + "Palladium Vein", + "1", + "17.2%" + ], + [ + "Palladium Vein (Tourmaline)", + "1", + "15.5%" + ], + [ + "Chalcedony Vein", + "1", + "9.5%" + ], + [ + "Hexa Stone Vein", + "1", + "9.5%" + ], + [ + "Rich Iron Vein", + "1 - 2", + "9.3%" + ], + [ + "Iron Vein", + "1", + "6.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "46.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "40.5%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "32.1%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "46.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "40.5%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "32.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Accursed Wendigo" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Defender" + }, + { + "chance": "100%", + "quantity": "1", + "source": "The First Cannibal" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Wendigo" + }, + { + "chance": "89.8%", + "quantity": "1 - 15", + "source": "She Who Speaks" + }, + { + "chance": "58.2%", + "quantity": "1 - 5", + "source": "Ash Giant Priest" + }, + { + "chance": "58.2%", + "quantity": "1 - 5", + "source": "Giant Hunter" + }, + { + "chance": "31%", + "quantity": "1 - 2", + "source": "Altered Gargoyle" + }, + { + "chance": "31%", + "quantity": "1 - 2", + "source": "Cracked Gargoyle" + }, + { + "chance": "31%", + "quantity": "1 - 2", + "source": "Gargoyle" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Gastrocin" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Jewelbird" + }, + { + "chance": "25%", + "quantity": "1", + "source": "Volcanic Gastrocin" + }, + { + "chance": "24.1%", + "quantity": "1 - 4", + "source": "Ash Giant" + }, + { + "chance": "12%", + "quantity": "1", + "source": "Ghost (Caldera)" + } + ], + "raw_rows": [ + [ + "Accursed Wendigo", + "1", + "100%" + ], + [ + "Bandit Defender", + "1", + "100%" + ], + [ + "The First Cannibal", + "1", + "100%" + ], + [ + "Wendigo", + "1", + "100%" + ], + [ + "She Who Speaks", + "1 - 15", + "89.8%" + ], + [ + "Ash Giant Priest", + "1 - 5", + "58.2%" + ], + [ + "Giant Hunter", + "1 - 5", + "58.2%" + ], + [ + "Altered Gargoyle", + "1 - 2", + "31%" + ], + [ + "Cracked Gargoyle", + "1 - 2", + "31%" + ], + [ + "Gargoyle", + "1 - 2", + "31%" + ], + [ + "Gastrocin", + "1", + "25%" + ], + [ + "Jewelbird", + "1", + "25%" + ], + [ + "Volcanic Gastrocin", + "1", + "25%" + ], + [ + "Ash Giant", + "1 - 4", + "24.1%" + ], + [ + "Ghost (Caldera)", + "1", + "12%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33.3%", + "locations": "Stone Titan Caves", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "33.3%", + "locations": "Ancient Foundry, Bandit Hideout, Berg, Chersonese, Dead Roots, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Hallowed Marsh, Harmattan, Immaculate's Camp, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Vault of Stone, Vigil Pylon", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "33.3%", + "locations": "Abrassar, Ark of the Exiled, Caldera, Forgotten Research Laboratory, Hive Prison, The Eldest Brother", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "33.3%", + "locations": "Antique Plateau, Hallowed Marsh, Steakosaur's Burrow", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "33.3%", + "locations": "Abandoned Living Quarters, Antique Plateau, Ark of the Exiled, Caldera, Calygrey Colosseum, Heroic Kingdom's Conflux Path, Oil Refinery, Old Sirocco, Sand Rose Cave, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The River of Red, The Tower of Regrets, Troglodyte Warren, Undercity Passage, Underside Loading Dock, Vigil Pylon, Vigil Tomb", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "33.3%", + "locations": "Ancient Hive, Bandit Hideout, Blister Burrow, Blood Mage Hideout, Corrupted Tombs, Crumbling Loading Docks, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "33.3%", + "locations": "Abrassar", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "33.3%", + "locations": "Abandoned Living Quarters, Blue Chamber's Conflux Path, Compromised Mana Transfer Station, Forest Hives, Forgotten Research Laboratory, Royal Manticore's Lair, The Slide", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "33.3%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "33.3%", + "locations": "Jade Quarry", + "quantity": "1", + "source": "Trog Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "33.3%", + "Stone Titan Caves" + ], + [ + "Chest", + "1", + "33.3%", + "Ancient Foundry, Bandit Hideout, Berg, Chersonese, Dead Roots, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Hallowed Marsh, Harmattan, Immaculate's Camp, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Vault of Stone, Vigil Pylon" + ], + [ + "Corpse", + "1", + "33.3%", + "Abrassar, Ark of the Exiled, Caldera, Forgotten Research Laboratory, Hive Prison, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1", + "33.3%", + "Antique Plateau, Hallowed Marsh, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1", + "33.3%", + "Abandoned Living Quarters, Antique Plateau, Ark of the Exiled, Caldera, Calygrey Colosseum, Heroic Kingdom's Conflux Path, Oil Refinery, Old Sirocco, Sand Rose Cave, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The River of Red, The Tower of Regrets, Troglodyte Warren, Undercity Passage, Underside Loading Dock, Vigil Pylon, Vigil Tomb" + ], + [ + "Looter's Corpse", + "1", + "33.3%", + "Ancient Hive, Bandit Hideout, Blister Burrow, Blood Mage Hideout, Corrupted Tombs, Crumbling Loading Docks, Wendigo Lair" + ], + [ + "Ornate Chest", + "1", + "33.3%", + "Abrassar" + ], + [ + "Scavenger's Corpse", + "1", + "33.3%", + "Abandoned Living Quarters, Blue Chamber's Conflux Path, Compromised Mana Transfer Station, Forest Hives, Forgotten Research Laboratory, Royal Manticore's Lair, The Slide" + ], + [ + "Stash", + "1", + "33.3%", + "Monsoon" + ], + [ + "Trog Chest", + "1", + "33.3%", + "Jade Quarry" + ] + ] + } + ], + "description": "Small Sapphire is a semi-rare gem found in Outward." + }, + { + "name": "Smelly Sealed Box", + "url": "https://outward.fandom.com/wiki/Smelly_Sealed_Box", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "1", + "DLC": "The Three Brothers", + "Object ID": "5600174", + "Sell": "1", + "Type": "Ingredient", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/70/Smelly_Sealed_Box.png/revision/latest/scale-to-width-down/83?cb=20201220075307", + "description": "Smelly Sealed Box is an Item in Outward." + }, + { + "name": "Smoke Axe", + "url": "https://outward.fandom.com/wiki/Smoke_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "37", + "Durability": "350", + "Effects": "Blaze", + "Impact": "29", + "Item Set": "Smoke Set", + "Object ID": "2010260", + "Sell": "270", + "Stamina Cost": "5.4", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3d/Smoke_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220075308", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "37", + "description": "Two slashing strikes, right to left", + "impact": "29", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.48", + "damage": "48.1", + "description": "Fast, triple-attack strike", + "impact": "37.7", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.48", + "damage": "48.1", + "description": "Quick double strike", + "impact": "37.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.48", + "damage": "48.1", + "description": "Wide-sweeping double strike", + "impact": "37.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37", + "29", + "5.4", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "48.1", + "37.7", + "6.48", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "48.1", + "37.7", + "6.48", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "48.1", + "37.7", + "6.48", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Axe is a type of Weapon in Outward." + }, + { + "name": "Smoke Bow", + "url": "https://outward.fandom.com/wiki/Smoke_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "37", + "Durability": "300", + "Effects": "Blaze", + "Impact": "30", + "Item Set": "Smoke Set", + "Object ID": "2200140", + "Sell": "338", + "Stamina Cost": "3.105", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f3/Smoke_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220075310", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Bow is a type of Weapon in Outward." + }, + { + "name": "Smoke Chakram", + "url": "https://outward.fandom.com/wiki/Smoke_Chakram", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Chakrams", + "DLC": "The Three Brothers", + "Damage": "32", + "Durability": "350", + "Effects": "Blaze", + "Impact": "41", + "Item Set": "Smoke Set", + "Object ID": "5110104", + "Sell": "270", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/00/Smoke_Chakram.png/revision/latest/scale-to-width-down/83?cb=20201220075311", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Chakram is a type of Weapon in Outward." + }, + { + "name": "Smoke Claymore", + "url": "https://outward.fandom.com/wiki/Smoke_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "47", + "Durability": "375", + "Effects": "Blaze", + "Impact": "47", + "Item Set": "Smoke Set", + "Object ID": "2100280", + "Sell": "338", + "Stamina Cost": "7.425", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a8/Smoke_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220075312", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.425", + "damage": "47", + "description": "Two slashing strikes, left to right", + "impact": "47", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.65", + "damage": "70.5", + "description": "Overhead downward-thrusting strike", + "impact": "70.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.17", + "damage": "59.46", + "description": "Spinning strike from the right", + "impact": "51.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.17", + "damage": "59.46", + "description": "Spinning strike from the left", + "impact": "51.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "47", + "47", + "7.425", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "70.5", + "70.5", + "9.65", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "59.46", + "51.7", + "8.17", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "59.46", + "51.7", + "8.17", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Claymore is a type of Weapon in Outward." + }, + { + "name": "Smoke Dagger", + "url": "https://outward.fandom.com/wiki/Smoke_Dagger", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Daggers", + "DLC": "The Three Brothers", + "Damage": "40", + "Durability": "250", + "Effects": "Blaze", + "Impact": "30", + "Item Set": "Smoke Set", + "Object ID": "5110016", + "Sell": "270", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Smoke_Dagger.png/revision/latest/scale-to-width-down/83?cb=20201220075313", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Dagger is a type of Weapon in Outward." + }, + { + "name": "Smoke Greataxe", + "url": "https://outward.fandom.com/wiki/Smoke_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "47", + "Durability": "375", + "Effects": "Blaze", + "Impact": "47", + "Item Set": "Smoke Set", + "Object ID": "2110240", + "Sell": "338", + "Stamina Cost": "7.425", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Smoke_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220075315", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.425", + "damage": "47", + "description": "Two slashing strikes, left to right", + "impact": "47", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.21", + "damage": "61.1", + "description": "Uppercut strike into right sweep strike", + "impact": "61.1", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.21", + "damage": "61.1", + "description": "Left-spinning double strike", + "impact": "61.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.02", + "damage": "61.1", + "description": "Right-spinning double strike", + "impact": "61.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "47", + "47", + "7.425", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "61.1", + "61.1", + "10.21", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "61.1", + "61.1", + "10.21", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "61.1", + "61.1", + "10.02", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Greataxe is a type of Weapon in Outward." + }, + { + "name": "Smoke Halberd", + "url": "https://outward.fandom.com/wiki/Smoke_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "41", + "Durability": "400", + "Effects": "Blaze", + "Impact": "49", + "Item Set": "Smoke Set", + "Object ID": "2150120", + "Sell": "338", + "Stamina Cost": "6.75", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bb/Smoke_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201220075316", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.75", + "damage": "41", + "description": "Two wide-sweeping strikes, left to right", + "impact": "49", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.44", + "damage": "53.3", + "description": "Forward-thrusting strike", + "impact": "63.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.44", + "damage": "53.3", + "description": "Wide-sweeping strike from left", + "impact": "63.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.81", + "damage": "69.7", + "description": "Slow but powerful sweeping strike", + "impact": "83.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "41", + "49", + "6.75", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "53.3", + "63.7", + "8.44", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "53.3", + "63.7", + "8.44", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "69.7", + "83.3", + "11.81", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Halberd is a type of Weapon in Outward." + }, + { + "name": "Smoke Hammer", + "url": "https://outward.fandom.com/wiki/Smoke_Hammer", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "45", + "Durability": "450", + "Effects": "Blaze", + "Impact": "56", + "Item Set": "Smoke Set", + "Object ID": "2120250", + "Sell": "338", + "Stamina Cost": "7.425", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/03/Smoke_Hammer.png/revision/latest/scale-to-width-down/83?cb=20201220075318", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.425", + "damage": "45", + "description": "Two slashing strikes, left to right", + "impact": "56", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.91", + "damage": "33.75", + "description": "Blunt strike with high impact", + "impact": "112", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.91", + "damage": "63", + "description": "Powerful overhead strike", + "impact": "78.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.91", + "damage": "63", + "description": "Forward-running uppercut strike", + "impact": "78.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "45", + "56", + "7.425", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "33.75", + "112", + "8.91", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "63", + "78.4", + "8.91", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "63", + "78.4", + "8.91", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Hammer is a type of Weapon in Outward." + }, + { + "name": "Smoke Knuckles", + "url": "https://outward.fandom.com/wiki/Smoke_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "33", + "Durability": "325", + "Effects": "Blaze", + "Impact": "20", + "Item Set": "Smoke Set", + "Object ID": "2160210", + "Sell": "270", + "Stamina Cost": "2.7", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a2/Smoke_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220075319", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.7", + "damage": "33", + "description": "Four fast punches, right to left", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.51", + "damage": "42.9", + "description": "Forward-lunging left hook", + "impact": "26", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.24", + "damage": "42.9", + "description": "Left dodging, left uppercut", + "impact": "26", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.24", + "damage": "42.9", + "description": "Right dodging, right spinning hammer strike", + "impact": "26", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "20", + "2.7", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "42.9", + "26", + "3.51", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "42.9", + "26", + "3.24", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "42.9", + "26", + "3.24", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "25%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Sal Dumas, Blacksmith" + } + ], + "raw_rows": [ + [ + "Sal Dumas, Blacksmith", + "1", + "25%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ] + ] + } + ], + "description": "Smoke Knuckles is a type of Weapon in Outward." + }, + { + "name": "Smoke Mace", + "url": "https://outward.fandom.com/wiki/Smoke_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "43", + "Durability": "425", + "Effects": "Blaze", + "Impact": "45", + "Item Set": "Smoke Set", + "Object ID": "2020300", + "Sell": "270", + "Stamina Cost": "5.4", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/ff/Smoke_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220075320", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "43", + "description": "Two wide-sweeping strikes, right to left", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.02", + "damage": "55.9", + "description": "Slow, overhead strike with high impact", + "impact": "112.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.02", + "damage": "55.9", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.02", + "damage": "55.9", + "description": "Fast, forward-thrusting strike", + "impact": "58.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "43", + "45", + "5.4", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "55.9", + "112.5", + "7.02", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "55.9", + "58.5", + "7.02", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "55.9", + "58.5", + "7.02", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Mace is a type of Weapon in Outward." + }, + { + "name": "Smoke Pistol", + "url": "https://outward.fandom.com/wiki/Smoke_Pistol", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Pistols", + "DLC": "The Three Brothers", + "Damage": "60", + "Durability": "300", + "Effects": "Blaze", + "Impact": "75", + "Item Set": "Smoke Set", + "Object ID": "5110280", + "Sell": "270", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/67/Smoke_Pistol.png/revision/latest/scale-to-width-down/83?cb=20201220075321", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (66% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Pistol is a type of Weapon in Outward." + }, + { + "name": "Smoke Root", + "url": "https://outward.fandom.com/wiki/Smoke_Root", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "15", + "Effects": "Warm", + "Hunger": "5%", + "Object ID": "4000270", + "Perish Time": "9 Days 22 Hours", + "Sell": "4", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/42/Smoke_Root.png/revision/latest?cb=20190411155654", + "effects": [ + "Restores 5% Hunger", + "Player receives Warm" + ], + "effect_links": [ + "/wiki/Warm" + ], + "recipes": [ + { + "result": "Bread Of The Wild", + "result_count": "3x", + "ingredients": [ + "Smoke Root", + "Raw Alpha Meat", + "Woolshroom", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Smoke Root" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Smoke Root" + }, + { + "result": "Elemental Resistance Potion", + "result_count": "1x", + "ingredients": [ + "Smoke Root", + "Occult Remains", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Smoke Root" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Smoke Root" + }, + { + "result": "Rage Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Smoke Root", + "Gravel Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Smoke Root" + }, + { + "result": "Seared Root", + "result_count": "1x", + "ingredients": [ + "Smoke Root" + ], + "station": "Campfire", + "source_page": "Smoke Root" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Smoke Root" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Smoke RootRaw Alpha MeatWoolshroomBread", + "result": "3x Bread Of The Wild", + "station": "Cooking Pot" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "Smoke RootOccult RemainsCrystal Powder", + "result": "1x Elemental Resistance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSmoke RootGravel Beetle", + "result": "3x Rage Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Smoke Root", + "result": "1x Seared Root", + "station": "Campfire" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Bread Of The Wild", + "Smoke RootRaw Alpha MeatWoolshroomBread", + "Cooking Pot" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "1x Elemental Resistance Potion", + "Smoke RootOccult RemainsCrystal Powder", + "Alchemy Kit" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Rage Potion", + "WaterSmoke RootGravel Beetle", + "Alchemy Kit" + ], + [ + "1x Seared Root", + "Smoke Root", + "Campfire" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Smoke Root (Gatherable)" + } + ], + "raw_rows": [ + [ + "Smoke Root (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1 - 4", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1 - 4", + "source": "Silver-Nose the Trader" + }, + { + "chance": "20.8%", + "locations": "New Sirocco", + "quantity": "1 - 18", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "17.8%", + "locations": "Berg", + "quantity": "1 - 18", + "source": "Vay the Alchemist" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "1 - 4", + "source": "Tuan the Alchemist" + }, + { + "chance": "11.5%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Helmi the Alchemist" + }, + { + "chance": "9%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Gold Belly", + "1 - 4", + "100%", + "Giants' Village" + ], + [ + "Silver-Nose the Trader", + "1 - 4", + "100%", + "Hallowed Marsh" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 18", + "20.8%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "1 - 18", + "17.8%", + "Berg" + ], + [ + "Tuan the Alchemist", + "1 - 4", + "11.8%", + "Levant" + ], + [ + "Helmi the Alchemist", + "1 - 6", + "11.5%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "18.2%", + "quantity": "1", + "source": "Virulent Hiveman" + }, + { + "chance": "18.2%", + "quantity": "1", + "source": "Walking Hive" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Hive Lord" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Tyrant of the Hive" + } + ], + "raw_rows": [ + [ + "Virulent Hiveman", + "1", + "18.2%" + ], + [ + "Walking Hive", + "1", + "18.2%" + ], + [ + "Hive Lord", + "1", + "10%" + ], + [ + "Tyrant of the Hive", + "1", + "10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Compromised Mana Transfer Station, Under Island", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Compromised Mana Transfer Station, Under Island" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Abandoned Living Quarters" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Corrupted Tombs, Dead Tree, Enmerkar Forest, Face of the Ancients, Forest Hives, Forgotten Research Laboratory, Vendavel Fortress" + ] + ] + } + ], + "description": "Smoke Root is a Food plant you can find in Outward. It is used in alchemy and cooking. It can also be eaten to gain Warm buff." + }, + { + "name": "Smoke Shield", + "url": "https://outward.fandom.com/wiki/Smoke_Shield", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Shields", + "DLC": "The Three Brothers", + "Damage": "33", + "Durability": "260", + "Effects": "Blaze", + "Impact": "20", + "Impact Resist": "17%", + "Item Set": "Smoke Set", + "Object ID": "2300340", + "Sell": "270", + "Type": "Off-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/09/Smoke_Shield.png/revision/latest/scale-to-width-down/83?cb=20201220075323", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (45% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Shield is a type of Weapon in Outward." + }, + { + "name": "Smoke Spear", + "url": "https://outward.fandom.com/wiki/Smoke_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1125", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "43", + "Durability": "325", + "Effects": "Blaze", + "Impact": "31", + "Item Set": "Smoke Set", + "Object ID": "2130290", + "Sell": "338", + "Stamina Cost": "5.4", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/80/Smoke_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220075324", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (12.5% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "43", + "description": "Two forward-thrusting stabs", + "impact": "31", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.75", + "damage": "60.2", + "description": "Forward-lunging strike", + "impact": "37.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.75", + "damage": "55.9", + "description": "Left-sweeping strike, jump back", + "impact": "37.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.75", + "damage": "51.6", + "description": "Fast spinning strike from the right", + "impact": "34.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "43", + "31", + "5.4", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "60.2", + "37.2", + "6.75", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "55.9", + "37.2", + "6.75", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "51.6", + "34.1", + "6.75", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Spear is a type of Weapon in Outward." + }, + { + "name": "Smoke Sword", + "url": "https://outward.fandom.com/wiki/Smoke_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "900", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "36", + "Durability": "300", + "Effects": "Blaze", + "Impact": "27", + "Item Set": "Smoke Set", + "Object ID": "2000290", + "Sell": "270", + "Stamina Cost": "4.725", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/82/Smoke_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220075325", + "effects": [ + "Inflicts Blaze on foes afflicted with Burning (33% buildup)" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.725", + "damage": "36", + "description": "Two slash attacks, left to right", + "impact": "27", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.67", + "damage": "53.82", + "description": "Forward-thrusting strike", + "impact": "35.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.2", + "damage": "45.54", + "description": "Heavy left-lunging strike", + "impact": "29.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.2", + "damage": "45.54", + "description": "Heavy right-lunging strike", + "impact": "29.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "36", + "27", + "4.725", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "53.82", + "35.1", + "5.67", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "45.54", + "29.7", + "5.2", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "45.54", + "29.7", + "5.2", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Oil Refinery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "1.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Ornate Chest", + "1", + "5%", + "Ark of the Exiled, Calygrey Colosseum, Oil Refinery" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Calygrey Chest", + "1", + "1.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Smoke Sword is a type of Weapon in Outward." + }, + { + "name": "Soothing Tea", + "url": "https://outward.fandom.com/wiki/Soothing_Tea", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Drink": "7%", + "Effects": "Restores 15 Burnt ManaCures Common Cold", + "Object ID": "4200060", + "Perish Time": "∞", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7e/Soothing_Tea.png/revision/latest/scale-to-width-down/83?cb=20190410140640", + "effects": [ + "Restores 7% Drink", + "Restores 15 Burnt Mana", + "Removes Cold (Disease)" + ], + "recipes": [ + { + "result": "Soothing Tea", + "result_count": "1x", + "ingredients": [ + "Water", + "Seaweed" + ], + "station": "Cooking Pot", + "source_page": "Soothing Tea" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Seaweed", + "result": "1x Soothing Tea", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Soothing Tea", + "Water Seaweed", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Chef Tenno" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "6", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "6", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "6", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2", + "source": "Master-Chef Arago" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "5 - 8", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "7", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "7", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "6", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "7", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "6", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2 - 4", + "100%", + "New Sirocco" + ], + [ + "Chef Tenno", + "1", + "100%", + "Levant" + ], + [ + "Felix Jimson, Shopkeeper", + "3", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "6", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "6", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "6", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "6", + "100%", + "New Sirocco" + ], + [ + "Master-Chef Arago", + "2", + "100%", + "Cierzo" + ], + [ + "Patrick Arago, General Store", + "5 - 8", + "100%", + "New Sirocco" + ], + [ + "Pelletier Baker, Chef", + "1", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "7", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "7", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "6", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "7", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "6", + "100%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Soothing Tea is a drink item in Outward." + }, + { + "name": "Soul Rupture Arrow", + "url": "https://outward.fandom.com/wiki/Soul_Rupture_Arrow", + "categories": [ + "DLC: The Three Brothers", + "Arrow", + "Ammunition", + "Items" + ], + "infobox": { + "Buy": "10", + "Class": "Arrow", + "DLC": "The Three Brothers", + "Effects": "+10 Ethereal damageInflicts Aetherbomb", + "Object ID": "5200010", + "Sell": "3", + "Type": "Ammunition", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/13/Soul_Rupture_Arrow.png/revision/latest/scale-to-width-down/83?cb=20201220075326", + "effects": [ + "+10 Ethereal damage", + "Inflicts Aetherbomb (50% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Soul Rupture Arrow", + "result_count": "3x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Soul Rupture Arrow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Arrowhead Kit Wood Hexa Stone", + "result": "3x Soul Rupture Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Soul Rupture Arrow", + "Arrowhead Kit Wood Hexa Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "5", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "5", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Soul Rupture Arrow is an Item in Outward." + }, + { + "name": "Spark Bomb", + "url": "https://outward.fandom.com/wiki/Spark_Bomb", + "categories": [ + "DLC: The Three Brothers", + "Bomb", + "Items" + ], + "infobox": { + "Buy": "25", + "DLC": "The Three Brothers", + "Effects": "120 Lightning damage and 70 Impact", + "Object ID": "4600040", + "Sell": "8", + "Type": "Bomb", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e5/Spark_Bomb.png/revision/latest/scale-to-width-down/83?cb=20201220075328", + "effects": [ + "Explosion deals 120 Lightning damage and 70 Impact" + ], + "recipes": [ + { + "result": "Spark Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Calygrey Hairs", + "Sulphuric Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Spark Bomb" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb Kit Calygrey Hairs Sulphuric Mushroom", + "result": "1x Spark Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Spark Bomb", + "Bomb Kit Calygrey Hairs Sulphuric Mushroom", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6 - 8", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "6 - 8", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "5", + "source": "Guardian of the Compass" + }, + { + "chance": "100%", + "quantity": "5", + "source": "Lightning Dancer" + } + ], + "raw_rows": [ + [ + "Guardian of the Compass", + "5", + "100%" + ], + [ + "Lightning Dancer", + "5", + "100%" + ] + ] + } + ], + "description": "Spark Bomb is an Item in Outward." + }, + { + "name": "Sparkling Water", + "url": "https://outward.fandom.com/wiki/Sparkling_Water", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "0", + "DLC": "The Three Brothers", + "Drink": "30%", + "Effects": "Sparkling Water (Effect)", + "Object ID": "5600005", + "Perish Time": "∞", + "Sell": "0", + "Type": "Food", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/91/Sparkling_Water.png/revision/latest/scale-to-width-down/83?cb=20201224134536", + "effects": [ + "Restores 30% Thirst", + "Player receives Sparkling Water (Effect)", + "Removes Burning", + "Removes Immolate", + "+0.75 Stamina per second", + "+10 Hot Weather defense" + ], + "effect_links": [ + "/wiki/Sparkling_Water_(Effect)", + "/wiki/Burning" + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "180 seconds", + "effects": "+0.75 Stamina per second+10 Hot Weather defense", + "name": "Sparkling Water (Effect)" + } + ], + "raw_rows": [ + [ + "", + "Sparkling Water (Effect)", + "180 seconds", + "+0.75 Stamina per second+10 Hot Weather defense" + ] + ] + } + ], + "description": "Sparkling Water is an Item in Outward." + }, + { + "name": "Spike Prism", + "url": "https://outward.fandom.com/wiki/Spike_Prism", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "45", + "DLC": "The Three Brothers", + "Object ID": "6000530", + "Sell": "14", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/af/Spike_Prism.png/revision/latest/scale-to-width-down/83?cb=20201220075330", + "recipes": [ + { + "result": "Astral Dagger", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Spike Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Spike Prism" + }, + { + "result": "Astral Spear", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Spike Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Spike Prism" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Trinket HandleSpike PrismWaning Tentacle", + "result": "1x Astral Dagger", + "station": "None" + }, + { + "ingredients": "Shaft HandleSpike PrismWaning Tentacle", + "result": "1x Astral Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Dagger", + "Trinket HandleSpike PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Spear", + "Shaft HandleSpike PrismWaning Tentacle", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "13.5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "13.5%", + "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Spike Prism is an Item in Outward." + }, + { + "name": "Spiked Alertness Potion", + "url": "https://outward.fandom.com/wiki/Spiked_Alertness_Potion", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "25", + "DLC": "The Soroboreans", + "Effects": "Raises Alert by 2Restores 60 Stamina", + "Object ID": "4300360", + "Perish Time": "∞", + "Sell": "8", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b5/Spiked_Alertness_Potion.png/revision/latest/scale-to-width-down/83?cb=20200616185622", + "effects": [ + "Restores 60 Stamina", + "Player receives 2 Alert levels" + ], + "recipes": [ + { + "result": "Spiked Alertness Potion", + "result_count": "1x", + "ingredients": [ + "Alertness Potion", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Spiked Alertness Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Alertness Potion Stingleaf", + "result": "1x Spiked Alertness Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Spiked Alertness Potion", + "Alertness Potion Stingleaf", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 5", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "2 - 5", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 3", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.3%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.3%", + "locations": "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Forgotten Research Laboratory", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "5.3%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "5.3%", + "locations": "Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "5.3%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "5.3%", + "locations": "Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "5.3%", + "Destroyed Test Chambers" + ], + [ + "Chest", + "1 - 2", + "5.3%", + "Bandit Hideout, Forgotten Research Laboratory, Harmattan, Immaculate's Camp, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "5.3%", + "Forgotten Research Laboratory" + ], + [ + "Junk Pile", + "1 - 2", + "5.3%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Knight's Corpse", + "1 - 2", + "5.3%", + "Lost Golem Manufacturing Facility" + ], + [ + "Ornate Chest", + "1 - 2", + "5.3%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "5.3%", + "Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Spiked Alertness Potion is an Item in Outward." + }, + { + "name": "Spikes – Iron", + "url": "https://outward.fandom.com/wiki/Spikes_%E2%80%93_Iron", + "categories": [ + "Trap Component", + "Items" + ], + "infobox": { + "Buy": "3", + "Object ID": "6500100", + "Sell": "1", + "Type": "Trap Component", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9b/Spikes_%E2%80%93_Iron.png/revision/latest?cb=20190416140122", + "recipes": [ + { + "result": "Spikes – Iron", + "result_count": "3x", + "ingredients": [ + "Iron Scrap", + "Iron Scrap", + "Iron Scrap", + "Iron Scrap" + ], + "station": "None", + "source_page": "Spikes – Iron" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Spikes – Iron" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Scrap Iron Scrap Iron Scrap Iron Scrap", + "result": "3x Spikes – Iron", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Spikes – Iron", + "Iron Scrap Iron Scrap Iron Scrap Iron Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "7", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 5", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "4 - 6", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "4", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "4", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6", + "source": "Sal Dumas, Blacksmith" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3 - 4", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "28.4%", + "locations": "Berg", + "quantity": "2", + "source": "Shopkeeper Pleel" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "2", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "2 - 20", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "7", + "100%", + "Levant" + ], + [ + "Howard Brock, Blacksmith", + "2 - 5", + "100%", + "Harmattan" + ], + [ + "Lawrence Dakers, Hunter", + "4 - 6", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "2", + "100%", + "Cierzo" + ], + [ + "Master-Smith Tokuga", + "4", + "100%", + "Levant" + ], + [ + "Patrick Arago, General Store", + "2 - 4", + "100%", + "New Sirocco" + ], + [ + "Quikiza the Blacksmith", + "4", + "100%", + "Berg" + ], + [ + "Sal Dumas, Blacksmith", + "6", + "100%", + "New Sirocco" + ], + [ + "Shopkeeper Suul", + "1 - 2", + "100%", + "Levant" + ], + [ + "Vyzyrinthrix the Blacksmith", + "3 - 4", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "2", + "28.4%", + "Berg" + ], + [ + "Howard Brock, Blacksmith", + "2", + "17.6%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "2 - 20", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "33.8%", + "quantity": "2", + "source": "Marsh Archer Captain" + }, + { + "chance": "31.5%", + "quantity": "1 - 8", + "source": "Bandit Captain" + }, + { + "chance": "31.5%", + "quantity": "1 - 8", + "source": "Mad Captain's Bones" + }, + { + "chance": "30.1%", + "quantity": "2", + "source": "The Last Acolyte" + }, + { + "chance": "29.8%", + "quantity": "2", + "source": "Marsh Captain" + }, + { + "chance": "24.4%", + "quantity": "2", + "source": "Bandit Manhunter" + }, + { + "chance": "22.1%", + "quantity": "3", + "source": "Bonded Beastmaster" + }, + { + "chance": "20.7%", + "quantity": "2", + "source": "Desert Captain" + }, + { + "chance": "16.4%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "16.1%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "13.9%", + "quantity": "3", + "source": "Kazite Admiral" + }, + { + "chance": "13.9%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant" + }, + { + "chance": "13.6%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "13%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "10.5%", + "quantity": "1 - 3", + "source": "Bandit Defender" + } + ], + "raw_rows": [ + [ + "Marsh Archer Captain", + "2", + "33.8%" + ], + [ + "Bandit Captain", + "1 - 8", + "31.5%" + ], + [ + "Mad Captain's Bones", + "1 - 8", + "31.5%" + ], + [ + "The Last Acolyte", + "2", + "30.1%" + ], + [ + "Marsh Captain", + "2", + "29.8%" + ], + [ + "Bandit Manhunter", + "2", + "24.4%" + ], + [ + "Bonded Beastmaster", + "3", + "22.1%" + ], + [ + "Desert Captain", + "2", + "20.7%" + ], + [ + "Kazite Archer", + "1 - 4", + "16.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "16.1%" + ], + [ + "Kazite Admiral", + "3", + "13.9%" + ], + [ + "Kazite Lieutenant", + "1 - 3", + "13.9%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "13.6%" + ], + [ + "Marsh Archer", + "1 - 4", + "13%" + ], + [ + "Bandit Defender", + "1 - 3", + "10.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "51.5%", + "locations": "Caldera", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "51.5%", + "locations": "Caldera", + "quantity": "1 - 6", + "source": "Supply Cache" + }, + { + "chance": "41.7%", + "locations": "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh", + "quantity": "1 - 6", + "source": "Supply Cache" + }, + { + "chance": "6.9%", + "locations": "The Slide, Ziggurat Passage", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "6.9%", + "locations": "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "6.9%", + "locations": "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair", + "quantity": "1 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "6.9%", + "locations": "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island", + "quantity": "1 - 3", + "source": "Knight's Corpse" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 2", + "100%", + "Levant" + ], + [ + "Adventurer's Corpse", + "1 - 6", + "51.5%", + "Caldera" + ], + [ + "Supply Cache", + "1 - 6", + "51.5%", + "Caldera" + ], + [ + "Supply Cache", + "1 - 6", + "41.7%", + "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "1 - 3", + "6.9%", + "The Slide, Ziggurat Passage" + ], + [ + "Chest", + "1 - 3", + "6.9%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery" + ], + [ + "Corpse", + "1 - 3", + "6.9%", + "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory" + ], + [ + "Hollowed Trunk", + "1 - 3", + "6.9%", + "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair" + ], + [ + "Junk Pile", + "1 - 3", + "6.9%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 3", + "6.9%", + "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island" + ] + ] + } + ], + "description": "Spikes – Iron are a type of basic craftable item in Outward, that is used to arm Tripwire Traps." + }, + { + "name": "Spikes – Palladium", + "url": "https://outward.fandom.com/wiki/Spikes_%E2%80%93_Palladium", + "categories": [ + "Trap Component", + "Items" + ], + "infobox": { + "Buy": "50", + "Object ID": "6500110", + "Sell": "15", + "Type": "Trap Component", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1e/Spikes_%E2%80%93_Palladium.png/revision/latest?cb=20190416135432", + "recipes": [ + { + "result": "Spikes – Palladium", + "result_count": "3x", + "ingredients": [ + "Palladium Scrap", + "Palladium Scrap", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Spikes – Palladium" + }, + { + "result": "Beast Golem Axe", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Iron Axe", + "Spikes – Palladium" + ], + "station": "None", + "source_page": "Spikes – Palladium" + }, + { + "result": "Beast Golem Halberd", + "result_count": "1x", + "ingredients": [ + "Beast Golem Scraps", + "Beast Golem Scraps", + "Iron Halberd", + "Spikes – Palladium" + ], + "station": "None", + "source_page": "Spikes – Palladium" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Spikes – Palladium" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Palladium Scrap Palladium Scrap Palladium Scrap Palladium Scrap", + "result": "3x Spikes – Palladium", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Spikes – Palladium", + "Palladium Scrap Palladium Scrap Palladium Scrap Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Beast Golem ScrapsIron AxeSpikes – Palladium", + "result": "1x Beast Golem Axe", + "station": "None" + }, + { + "ingredients": "Beast Golem ScrapsBeast Golem ScrapsIron HalberdSpikes – Palladium", + "result": "1x Beast Golem Halberd", + "station": "None" + }, + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Beast Golem Axe", + "Beast Golem ScrapsIron AxeSpikes – Palladium", + "None" + ], + [ + "1x Beast Golem Halberd", + "Beast Golem ScrapsBeast Golem ScrapsIron HalberdSpikes – Palladium", + "None" + ], + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "3", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Sal Dumas, Blacksmith" + }, + { + "chance": "32.1%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "1 - 8", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "1 - 12", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "3", + "100%", + "Levant" + ], + [ + "Lawrence Dakers, Hunter", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Sal Dumas, Blacksmith", + "3 - 5", + "100%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "32.1%", + "Cierzo" + ], + [ + "Howard Brock, Blacksmith", + "1 - 8", + "17.6%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "1 - 12", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "50%", + "quantity": "1", + "source": "Beast Golem" + }, + { + "chance": "22.2%", + "quantity": "1", + "source": "Rusty Beast Golem" + }, + { + "chance": "15.8%", + "quantity": "1 - 3", + "source": "Wolfgang Captain" + }, + { + "chance": "11.5%", + "quantity": "1 - 4", + "source": "Bonded Beastmaster" + } + ], + "raw_rows": [ + [ + "Beast Golem", + "1", + "50%" + ], + [ + "Rusty Beast Golem", + "1", + "22.2%" + ], + [ + "Wolfgang Captain", + "1 - 3", + "15.8%" + ], + [ + "Bonded Beastmaster", + "1 - 4", + "11.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Hive Prison, Scarlet Sanctuary", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Enmerkar Forest", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Abrassar, Jade Quarry, Scarlet Sanctuary, Undercity Passage, Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Royal Manticore's Lair, Wendigo Lair", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1 - 2", + "10%", + "Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "10%", + "Abandoned Living Quarters, Ancient Foundry, Antique Plateau, Bandit Hideout, Chersonese, Corrupted Cave, Destroyed Test Chambers, Electric Lab, Forgotten Research Laboratory, Hallowed Marsh, Jade Quarry, Levant, Old Sirocco, The Vault of Stone, Vendavel Fortress" + ], + [ + "Corpse", + "1 - 2", + "10%", + "Hive Prison, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1 - 2", + "10%", + "Enmerkar Forest" + ], + [ + "Hollowed Trunk", + "1 - 2", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "10%", + "Ancestor's Resting Place, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Ghost Pass, Stone Titan Caves, Sulphuric Caverns, The Slide" + ], + [ + "Knight's Corpse", + "1 - 2", + "10%", + "Ancient Hive, Blue Chamber's Conflux Path, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony, Ziggurat Passage" + ], + [ + "Ornate Chest", + "1 - 2", + "10%", + "Abrassar, Jade Quarry, Scarlet Sanctuary, Undercity Passage, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "10%", + "Royal Manticore's Lair, Wendigo Lair" + ] + ] + } + ], + "description": "Spikes – Palladium is a type of items in Outward." + }, + { + "name": "Spikes – Wood", + "url": "https://outward.fandom.com/wiki/Spikes_%E2%80%93_Wood", + "categories": [ + "Trap Component", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "6500150", + "Sell": "0", + "Type": "Trap Component", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e7/Spikes_%E2%80%93_Wood.png/revision/latest?cb=20190416135910", + "recipes": [ + { + "result": "Spikes – Wood", + "result_count": "3x", + "ingredients": [ + "Wood", + "Wood", + "Wood", + "Wood" + ], + "station": "None", + "source_page": "Spikes – Wood" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Wood Wood Wood Wood", + "result": "3x Spikes – Wood", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Spikes – Wood", + "Wood Wood Wood Wood", + "None" + ] + ] + } + ], + "description": "Spikes – Wood are item in Outward that's mostly used to arm traps." + }, + { + "name": "Spiny Meringue", + "url": "https://outward.fandom.com/wiki/Spiny_Meringue", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "30", + "Effects": "Stamina Recovery 4Health Recovery 3Hot Weather Defense", + "Hunger": "14%", + "Object ID": "4100480", + "Perish Time": "14 Days 21 Hours", + "Sell": "9", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d8/Spiny_Meringue.png/revision/latest/scale-to-width-down/83?cb=20190410133229", + "effects": [ + "Restores 14% Hunger", + "Player receives Stamina Recovery (level 4)", + "Player receives Health Recovery (level 3)", + "Player receives Hot Weather Defense" + ], + "recipes": [ + { + "result": "Spiny Meringue", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Egg", + "Larva Egg" + ], + "station": "Cooking Pot", + "source_page": "Spiny Meringue" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Spiny Meringue" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Spiny Meringue" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cactus Fruit Cactus Fruit Egg Larva Egg", + "result": "3x Spiny Meringue", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Spiny Meringue", + "Cactus Fruit Cactus Fruit Egg Larva Egg", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipes / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "2", + "source": "Chef Tenno" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "2", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Chef Tenno", + "2", + "100%", + "Levant" + ], + [ + "Ibolya Battleborn, Chef", + "2", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "21.4%", + "locations": "Ancient Hive, Crumbling Loading Docks, Sand Rose Cave", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "21.4%", + "locations": "Abrassar, Levant", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "21.4%", + "locations": "Ancient Hive, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "21.4%", + "locations": "The Slide", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "21.4%", + "locations": "Stone Titan Caves, The Slide", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "21.4%", + "Ancient Hive, Crumbling Loading Docks, Sand Rose Cave" + ], + [ + "Chest", + "1", + "21.4%", + "Abrassar, Levant" + ], + [ + "Knight's Corpse", + "1", + "21.4%", + "Ancient Hive, Stone Titan Caves" + ], + [ + "Scavenger's Corpse", + "1", + "21.4%", + "The Slide" + ], + [ + "Worker's Corpse", + "1", + "21.4%", + "Stone Titan Caves, The Slide" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Spiny Meringue is a food item in Outward." + }, + { + "name": "Spiritual Varnish", + "url": "https://outward.fandom.com/wiki/Spiritual_Varnish", + "categories": [ + "Items", + "Consumables", + "Consumable" + ], + "infobox": { + "Buy": "40", + "Effects": "Greater Ethereal Imbue", + "Object ID": "4400060", + "Perish Time": "∞", + "Sell": "12", + "Type": "Imbues", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b3/Spiritual_Varnish.png/revision/latest/scale-to-width-down/83?cb=20190416165526", + "effects": [ + "Player receives Greater Ethereal Imbue", + "Increases base damage by 10% as Ethereal damage", + "Grants +15 flat Ethereal damage." + ], + "effect_links": [ + "/wiki/Greater_Ethereal_Imbue" + ], + "recipes": [ + { + "result": "Spiritual Varnish", + "result_count": "1x", + "ingredients": [ + "Gaberry Wine", + "Ghost's Eye", + "Mana Stone" + ], + "station": "Alchemy Kit", + "source_page": "Spiritual Varnish" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "180 seconds", + "effects": "Increases base damage by 10% as Ethereal damageGrants +15 flat Ethereal damage.", + "name": "Greater Ethereal Imbue" + } + ], + "raw_rows": [ + [ + "", + "Greater Ethereal Imbue", + "180 seconds", + "Increases base damage by 10% as Ethereal damageGrants +15 flat Ethereal damage." + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gaberry Wine Ghost's Eye Mana Stone", + "result": "1x Spiritual Varnish", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Spiritual Varnish", + "Gaberry Wine Ghost's Eye Mana Stone", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "44.5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3", + "source": "Pholiota/High Stock" + }, + { + "chance": "34.4%", + "locations": "New Sirocco", + "quantity": "1 - 5", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "27.1%", + "locations": "Cierzo", + "quantity": "1 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "27.1%", + "locations": "Berg", + "quantity": "1 - 4", + "source": "Vay the Alchemist" + }, + { + "chance": "15.1%", + "locations": "Berg", + "quantity": "1 - 6", + "source": "Shopkeeper Pleel" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "3", + "44.5%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 5", + "34.4%", + "New Sirocco" + ], + [ + "Helmi the Alchemist", + "1 - 4", + "27.1%", + "Cierzo" + ], + [ + "Vay the Alchemist", + "1 - 4", + "27.1%", + "Berg" + ], + [ + "Shopkeeper Pleel", + "1 - 6", + "15.1%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "2", + "source": "Ancestral General" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Butcher of Men" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Friendly Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Raider" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Warlock" + } + ], + "raw_rows": [ + [ + "Ancestral General", + "2", + "100%" + ], + [ + "Butcher of Men", + "1", + "100%" + ], + [ + "Friendly Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate Raider", + "1 - 5", + "41%" + ], + [ + "Immaculate Warlock", + "1 - 5", + "41%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Spiritual Varnish is a Consumable item in Outward, which grants an Imbue." + }, + { + "name": "Spore Halberd", + "url": "https://outward.fandom.com/wiki/Spore_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "Damage": "35", + "Durability": "125", + "Effects": "Poisoned", + "Impact": "41", + "Item Set": "Troglodyte Set", + "Object ID": "2140051", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Halberd", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/70/Spore_Halberd.png/revision/latest/scale-to-width-down/83?cb=20190629155407", + "effects": [ + "Inflicts Poisoned (60% buildup)" + ], + "effect_links": [ + "/wiki/Poisoned", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "35", + "description": "Two wide-sweeping strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "45.5", + "description": "Forward-thrusting strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "45.5", + "description": "Wide-sweeping strike from left", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "59.5", + "description": "Slow but powerful sweeping strike", + "impact": "69.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "35", + "41", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "45.5", + "53.3", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "45.5", + "53.3", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "59.5", + "69.7", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Mushroom Halberd", + "upgrade": "Spore Halberd" + } + ], + "raw_rows": [ + [ + "Mushroom Halberd", + "Spore Halberd" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Spore Halberd is a type of Two-Handed Polearm weapon in Outward." + }, + { + "name": "Spore Shield", + "url": "https://outward.fandom.com/wiki/Spore_Shield", + "categories": [ + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "0", + "Class": "Shields", + "Damage": "8.4 5.6", + "Durability": "150", + "Effects": "Extreme Poison", + "Impact": "37", + "Impact Resist": "12%", + "Item Set": "Troglodyte Set", + "Object ID": "2300220", + "Sell": "0", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/12/Spore_Shield.png/revision/latest/scale-to-width-down/83?cb=20190629155408", + "effects": [ + "Inflicts Extreme Poison (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Mushroom Shield", + "upgrade": "Spore Shield" + } + ], + "raw_rows": [ + [ + "Mushroom Shield", + "Spore Shield" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Spore Shield is a type of Shield in Outward." + }, + { + "name": "Squire Attire", + "url": "https://outward.fandom.com/wiki/Squire_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "675", + "Damage Resist": "18% 15%", + "Durability": "470", + "Impact Resist": "12%", + "Item Set": "Squire Set", + "Movement Speed": "5%", + "Object ID": "3100150", + "Sell": "202", + "Slot": "Chest", + "Stamina Cost": "-15%", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4d/Squire_Attire.png/revision/latest?cb=20190629155158", + "recipes": [ + { + "result": "Squire Attire", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Elatt's Relic", + "Calixa's Relic", + "Haunted Memory" + ], + "station": "None", + "source_page": "Squire Attire" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Pearlbird's Courage Elatt's Relic Calixa's Relic Haunted Memory", + "result": "1x Squire Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Squire Attire", + "Pearlbird's Courage Elatt's Relic Calixa's Relic Haunted Memory", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Squire Attire is a type of Armor in Outward." + }, + { + "name": "Squire Boots", + "url": "https://outward.fandom.com/wiki/Squire_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "375", + "Cold Weather Def.": "5", + "Damage Resist": "9% 15% 15%", + "Durability": "470", + "Hot Weather Def.": "5", + "Impact Resist": "12%", + "Item Set": "Squire Set", + "Movement Speed": "5%", + "Object ID": "3100152", + "Sell": "112", + "Slot": "Legs", + "Stamina Cost": "-15%", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1d/Squire_Boots.png/revision/latest?cb=20190629155159", + "recipes": [ + { + "result": "Squire Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Haunted Memory", + "Leyline Figment" + ], + "station": "None", + "source_page": "Squire Boots" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Elatt's Relic Haunted Memory Leyline Figment", + "result": "1x Squire Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Squire Boots", + "Gep's Generosity Elatt's Relic Haunted Memory Leyline Figment", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Squire Boots is a type of Armor in Outward." + }, + { + "name": "Squire Headband", + "url": "https://outward.fandom.com/wiki/Squire_Headband", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "375", + "Damage Resist": "13% 15% 15%", + "Durability": "470", + "Impact Resist": "11%", + "Item Set": "Squire Set", + "Movement Speed": "5%", + "Object ID": "3100151", + "Sell": "112", + "Slot": "Head", + "Stamina Cost": "-15%", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5d/Squire_Headband.png/revision/latest?cb=20190629155200", + "recipes": [ + { + "result": "Squire Headband", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Elatt's Relic", + "Scourge's Tears", + "Haunted Memory" + ], + "station": "None", + "source_page": "Squire Headband" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's Generosity Elatt's Relic Scourge's Tears Haunted Memory", + "result": "1x Squire Headband", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Squire Headband", + "Gep's Generosity Elatt's Relic Scourge's Tears Haunted Memory", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Squire Headband is a type of Armor in Outward." + }, + { + "name": "Squire Set", + "url": "https://outward.fandom.com/wiki/Squire_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1425", + "Cold Weather Def.": "5", + "Damage Resist": "40% 15% 15% 15% 15% 15%", + "Durability": "1410", + "Hot Weather Def.": "5", + "Impact Resist": "35%", + "Movement Speed": "15%", + "Object ID": "3100150 (Chest)3100152 (Legs)3100151 (Head)", + "Sell": "426", + "Slot": "Set", + "Stamina Cost": "-45%", + "Weight": "16.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/71/Squire_Set.png/revision/latest/scale-to-width-down/250?cb=20190910071610", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "12%", + "column_5": "–", + "column_6": "–", + "column_7": "-15%", + "column_8": "5%", + "durability": "470", + "name": "Squire Attire", + "resistances": "18% 15%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "5", + "column_6": "5", + "column_7": "-15%", + "column_8": "5%", + "durability": "470", + "name": "Squire Boots", + "resistances": "9% 15% 15%", + "weight": "5.0" + }, + { + "class": "Helmets", + "column_4": "11%", + "column_5": "–", + "column_6": "–", + "column_7": "-15%", + "column_8": "5%", + "durability": "470", + "name": "Squire Headband", + "resistances": "13% 15% 15%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Squire Attire", + "18% 15%", + "12%", + "–", + "–", + "-15%", + "5%", + "470", + "8.0", + "Body Armor" + ], + [ + "", + "Squire Boots", + "9% 15% 15%", + "12%", + "5", + "5", + "-15%", + "5%", + "470", + "5.0", + "Boots" + ], + [ + "", + "Squire Headband", + "13% 15% 15%", + "11%", + "–", + "–", + "-15%", + "5%", + "470", + "3.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "12%", + "column_5": "–", + "column_6": "–", + "column_7": "-15%", + "column_8": "5%", + "durability": "470", + "name": "Squire Attire", + "resistances": "18% 15%", + "weight": "8.0" + }, + { + "class": "Boots", + "column_4": "12%", + "column_5": "5", + "column_6": "5", + "column_7": "-15%", + "column_8": "5%", + "durability": "470", + "name": "Squire Boots", + "resistances": "9% 15% 15%", + "weight": "5.0" + }, + { + "class": "Helmets", + "column_4": "11%", + "column_5": "–", + "column_6": "–", + "column_7": "-15%", + "column_8": "5%", + "durability": "470", + "name": "Squire Headband", + "resistances": "13% 15% 15%", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Squire Attire", + "18% 15%", + "12%", + "–", + "–", + "-15%", + "5%", + "470", + "8.0", + "Body Armor" + ], + [ + "", + "Squire Boots", + "9% 15% 15%", + "12%", + "5", + "5", + "-15%", + "5%", + "470", + "5.0", + "Boots" + ], + [ + "", + "Squire Headband", + "13% 15% 15%", + "11%", + "–", + "–", + "-15%", + "5%", + "470", + "3.0", + "Helmets" + ] + ] + } + ], + "description": "Squire Set is a Set in Outward." + }, + { + "name": "Stability Potion", + "url": "https://outward.fandom.com/wiki/Stability_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "25", + "Effects": "Impact Resistance Up", + "Object ID": "4300170", + "Perish Time": "∞", + "Sell": "8", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/64/Stability_Potion.png/revision/latest?cb=20190410153802", + "effects": [ + "Player receives Impact Resistance Up", + "+25% Impact Resistance" + ], + "recipes": [ + { + "result": "Stability Potion", + "result_count": "1x", + "ingredients": [ + "Insect Husk", + "Livweedi", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Stability Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "240 seconds", + "effects": "+25% Impact Resistance", + "name": "Impact Resistance Up" + } + ], + "raw_rows": [ + [ + "", + "Impact Resistance Up", + "240 seconds", + "+25% Impact Resistance" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Insect Husk Livweedi Water", + "result": "1x Stability Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Stability Potion", + "Insect Husk Livweedi Water", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "22.1%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "22.1%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 20", + "16.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Stability Potion is a Potion item in Outward." + }, + { + "name": "Star Mushroom", + "url": "https://outward.fandom.com/wiki/Star_Mushroom", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Mana Ratio Recovery 2", + "Hunger": "5%", + "Object ID": "4000180", + "Perish Time": "9 Days 22 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6e/Star_Mushroom.png/revision/latest/scale-to-width-down/83?cb=20190412201958", + "effects": [ + "Restores 5% Hunger", + "Player receives Mana Ratio Recovery (level 2)" + ], + "recipes": [ + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Star Mushroom", + "Turmmip", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Star Mushroom" + }, + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Star Mushroom" + }, + { + "result": "Fungal Cleanser", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Mushroom", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Star Mushroom" + }, + { + "result": "Great Astral Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Alpha Tuanosaur Tail", + "Star Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Star Mushroom" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Star MushroomTurmmipWater", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "WoolshroomMushroomOchre Spice Beetle", + "result": "3x Fungal Cleanser", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterAlpha Tuanosaur TailStar Mushroom", + "result": "3x Great Astral Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Astral Potion", + "Star MushroomTurmmipWater", + "Alchemy Kit" + ], + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "3x Fungal Cleanser", + "WoolshroomMushroomOchre Spice Beetle", + "Cooking Pot" + ], + [ + "3x Great Astral Potion", + "WaterAlpha Tuanosaur TailStar Mushroom", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Star Mushroom (Gatherable)" + } + ], + "raw_rows": [ + [ + "Star Mushroom (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "4 - 5", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 5", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "8", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 4", + "source": "Pholiota/Low Stock" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 7", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Vay the Alchemist" + }, + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "33.8%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 18", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 18", + "source": "Fourth Watcher" + }, + { + "chance": "23.2%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 9", + "source": "Pholiota/Low Stock" + }, + { + "chance": "17.5%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "4 - 5", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "3", + "100%", + "New Sirocco" + ], + [ + "Patrick Arago, General Store", + "3 - 5", + "100%", + "New Sirocco" + ], + [ + "Pholiota/High Stock", + "8", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "2 - 4", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "3 - 7", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "3 - 5", + "100%", + "Harmattan" + ], + [ + "Vay the Alchemist", + "3", + "100%", + "Berg" + ], + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Tuan the Alchemist", + "3", + "33.8%", + "Levant" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 18", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 18", + "25.9%", + "Conflux Chambers" + ], + [ + "Pholiota/Low Stock", + "2 - 9", + "23.2%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "17.5%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Pearlbird Cutthroat" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Friendly Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Raider" + }, + { + "chance": "41%", + "quantity": "1 - 5", + "source": "Immaculate Warlock" + }, + { + "chance": "37.6%", + "quantity": "2 - 4", + "source": "Phytoflora" + }, + { + "chance": "29.8%", + "quantity": "1 - 3", + "source": "Phytosaur" + }, + { + "chance": "25.9%", + "quantity": "1 - 12", + "source": "Blood Sorcerer" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Illuminator Horror" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Vile Illuminator" + }, + { + "chance": "12.9%", + "quantity": "1 - 2", + "source": "Troglodyte Knight" + }, + { + "chance": "12.3%", + "quantity": "2 - 9", + "source": "Ice Witch" + }, + { + "chance": "9.4%", + "quantity": "2 - 3", + "source": "Jade-Lich Acolyte" + }, + { + "chance": "7.7%", + "quantity": "1", + "source": "Mana Troglodyte" + }, + { + "chance": "7.7%", + "quantity": "1", + "source": "Troglodyte Archmage" + } + ], + "raw_rows": [ + [ + "Pearlbird Cutthroat", + "3", + "100%" + ], + [ + "Friendly Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate", + "1 - 5", + "41%" + ], + [ + "Immaculate Raider", + "1 - 5", + "41%" + ], + [ + "Immaculate Warlock", + "1 - 5", + "41%" + ], + [ + "Phytoflora", + "2 - 4", + "37.6%" + ], + [ + "Phytosaur", + "1 - 3", + "29.8%" + ], + [ + "Blood Sorcerer", + "1 - 12", + "25.9%" + ], + [ + "Illuminator Horror", + "1", + "16.7%" + ], + [ + "Vile Illuminator", + "1", + "16.7%" + ], + [ + "Troglodyte Knight", + "1 - 2", + "12.9%" + ], + [ + "Ice Witch", + "2 - 9", + "12.3%" + ], + [ + "Jade-Lich Acolyte", + "2 - 3", + "9.4%" + ], + [ + "Mana Troglodyte", + "1", + "7.7%" + ], + [ + "Troglodyte Archmage", + "1", + "7.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.1%", + "locations": "Under Island", + "quantity": "2 - 8", + "source": "Trog Chest" + }, + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 6", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 6", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 6", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 6", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 6", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 6", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "2 - 8", + "22.1%", + "Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 6", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 6", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 6", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 6", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 6", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 6", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 6", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 6", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 6", + "14.8%", + "Ark of the Exiled, Forest Hives" + ] + ] + } + ], + "description": "Star Mushroom is a food item in the game Outward." + }, + { + "name": "Starchild Claymore", + "url": "https://outward.fandom.com/wiki/Starchild_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2500", + "Class": "Swords", + "Damage": "25.5 25.5", + "Durability": "500", + "Impact": "52", + "Object ID": "2100100", + "Sell": "750", + "Stamina Cost": "6.7", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/91/Starchild_Claymore.png/revision/latest?cb=20190413074829", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.7", + "damage": "25.5 25.5", + "description": "Two slashing strikes, left to right", + "impact": "52", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.71", + "damage": "38.25 38.25", + "description": "Overhead downward-thrusting strike", + "impact": "78", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.37", + "damage": "32.26 32.26", + "description": "Spinning strike from the right", + "impact": "57.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.37", + "damage": "32.26 32.26", + "description": "Spinning strike from the left", + "impact": "57.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25.5 25.5", + "52", + "6.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "38.25 38.25", + "78", + "8.71", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "32.26 32.26", + "57.2", + "7.37", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.26 32.26", + "57.2", + "7.37", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Royal Manticore" + } + ], + "raw_rows": [ + [ + "Royal Manticore", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Starchild Claymore is a unique two-handed sword in Outward." + }, + { + "name": "Stealth Potion", + "url": "https://outward.fandom.com/wiki/Stealth_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "15", + "Effects": "Stealth Up", + "Object ID": "4300130", + "Perish Time": "∞", + "Sell": "4", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e3/Stealth_Potion.png/revision/latest?cb=20190410154705", + "effects": [ + "Player receives Stealth Up", + "+25% Stealth" + ], + "recipes": [ + { + "result": "Stealth Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Woolshroom", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Stealth Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "240 seconds", + "effects": "+25% Stealth", + "name": "Stealth Up" + } + ], + "raw_rows": [ + [ + "", + "Stealth Up", + "240 seconds", + "+25% Stealth" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Woolshroom Ghost's Eye", + "result": "3x Stealth Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Stealth Potion", + "Water Woolshroom Ghost's Eye", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.1%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "1 - 3", + "22.1%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 20", + "16.3%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "1 - 2", + "11.8%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "24.7%", + "quantity": "1 - 5", + "source": "The Last Acolyte" + }, + { + "chance": "24.4%", + "quantity": "1 - 4", + "source": "Bandit Manhunter" + }, + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "The Last Acolyte", + "1 - 5", + "24.7%" + ], + [ + "Bandit Manhunter", + "1 - 4", + "24.4%" + ], + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Stealth Potion is a type of Potion in Outward." + }, + { + "name": "Steel Sabre", + "url": "https://outward.fandom.com/wiki/Steel_Sabre", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "200", + "Class": "Swords", + "Damage": "25", + "Durability": "250", + "Impact": "19", + "Object ID": "2000020", + "Sell": "60", + "Stamina Cost": "4.2", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4f/Steel_Sabre.png/revision/latest?cb=20190413072611", + "recipes": [ + { + "result": "Assassin Sword", + "result_count": "1x", + "ingredients": [ + "Assassin Tongue", + "Steel Sabre", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Steel Sabre" + }, + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Steel Sabre" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.2", + "damage": "25", + "description": "Two slash attacks, left to right", + "impact": "19", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.04", + "damage": "37.38", + "description": "Forward-thrusting strike", + "impact": "24.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.62", + "damage": "31.62", + "description": "Heavy left-lunging strike", + "impact": "20.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.62", + "damage": "31.62", + "description": "Heavy right-lunging strike", + "impact": "20.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "19", + "4.2", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "37.38", + "24.7", + "5.04", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "31.62", + "20.9", + "4.62", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "31.62", + "20.9", + "4.62", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Assassin TongueSteel SabrePalladium Scrap", + "result": "1x Assassin Sword", + "station": "None" + }, + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Assassin Sword", + "Assassin TongueSteel SabrePalladium Scrap", + "None" + ], + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon inflicts Scorched, Chill, Curse, Doom, Haunted, all with 21% buildupWeapon gains +0.1 flat Attack Speed", + "enchantment": "Rainbow Hex" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rainbow Hex", + "Weapon inflicts Scorched, Chill, Curse, Doom, Haunted, all with 21% buildupWeapon gains +0.1 flat Attack Speed" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "100%", + "Harmattan" + ], + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Desert Bandit" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Desert Captain" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Desert Lieutenant" + }, + { + "chance": "100%", + "quantity": "1", + "source": "The Last Acolyte" + } + ], + "raw_rows": [ + [ + "Desert Bandit", + "1", + "100%" + ], + [ + "Desert Captain", + "1", + "100%" + ], + [ + "Desert Lieutenant", + "1", + "100%" + ], + [ + "The Last Acolyte", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Dark Ziggurat Interior, Dead Roots, Hallowed Marsh, Reptilian Lair, Spire of Light" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Abandoned Ziggurat, Dark Ziggurat Interior, Dead Tree, Jade Quarry, Spire of Light, Ziggurat Passage" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Steel Sabre is a one-handed sword in Outward." + }, + { + "name": "Steel Shield", + "url": "https://outward.fandom.com/wiki/Steel_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "60", + "Class": "Shields", + "Damage": "25", + "Durability": "175", + "Impact": "46", + "Impact Resist": "15%", + "Object ID": "2300140", + "Sell": "18", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/21/Steel_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407070519", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Steel Shield" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "21%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Quikiza the Blacksmith", + "1 - 2", + "21%", + "Berg" + ], + [ + "Howard Brock, Blacksmith", + "1 - 4", + "17.6%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Desert Lieutenant" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Marsh Bandit" + } + ], + "raw_rows": [ + [ + "Desert Lieutenant", + "1", + "100%" + ], + [ + "Marsh Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.7%", + "locations": "Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.7%", + "locations": "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "6.7%", + "Heroic Kingdom's Conflux Path" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Bandits' Prison, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Chest", + "1", + "6.2%", + "Abandoned Shed, Bandits' Prison, Chersonese, Cierzo (Destroyed), Conflux Chambers, Corrupted Tombs, Ghost Pass, Holy Mission's Conflux Path, Immaculate's Cave, Vendavel Fortress, Vigil Tomb, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1", + "6.2%", + "Bandits' Prison, Chersonese, Cierzo, Cierzo (Destroyed), Corrupted Tombs, Ghost Pass, Mansion's Cellar, Montcalm Clan Fort, Voltaic Hatchery" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Steel Shield is a type of Shield in Outward." + }, + { + "name": "Stingleaf", + "url": "https://outward.fandom.com/wiki/Stingleaf", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "30", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6600012", + "Sell": "9", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/bd/Stingleaf.png/revision/latest/scale-to-width-down/83?cb=20200616185623", + "recipes": [ + { + "result": "Alertness Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Nightmare Mushroom", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Stingleaf" + }, + { + "result": "Energizing Potion", + "result_count": "3x", + "ingredients": [ + "Leyline Water", + "Crystal Powder", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Stingleaf" + }, + { + "result": "Spiked Alertness Potion", + "result_count": "1x", + "ingredients": [ + "Alertness Potion", + "Stingleaf" + ], + "station": "Alchemy Kit", + "source_page": "Stingleaf" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WaterNightmare MushroomStingleaf", + "result": "3x Alertness Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Leyline WaterCrystal PowderStingleaf", + "result": "3x Energizing Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Alertness PotionStingleaf", + "result": "1x Spiked Alertness Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Alertness Potion", + "WaterNightmare MushroomStingleaf", + "Alchemy Kit" + ], + [ + "3x Energizing Potion", + "Leyline WaterCrystal PowderStingleaf", + "Alchemy Kit" + ], + [ + "1x Spiked Alertness Potion", + "Alertness PotionStingleaf", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "49.9%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Laine the Alchemist" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "1 - 6", + "source": "Vay the Alchemist" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "1 - 6", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "1 - 6", + "source": "Fourth Watcher" + }, + { + "chance": "22.1%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "11.8%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "Laine the Alchemist", + "1 - 10", + "49.9%", + "Monsoon" + ], + [ + "Vay the Alchemist", + "1 - 6", + "33%", + "Berg" + ], + [ + "Agatha, Maiden of the Winds", + "1 - 6", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "1 - 6", + "25.9%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "22.1%", + "Cierzo" + ], + [ + "Tuan the Alchemist", + "1 - 2", + "11.8%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "43.8%", + "quantity": "1 - 2", + "source": "Bloody Beast" + }, + { + "chance": "22.1%", + "quantity": "1 - 8", + "source": "Bonded Beastmaster" + } + ], + "raw_rows": [ + [ + "Bloody Beast", + "1 - 2", + "43.8%" + ], + [ + "Bonded Beastmaster", + "1 - 8", + "22.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2.8%", + "locations": "Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ark of the Exiled", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "2.8%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Destroyed Test Chambers", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "2.8%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "1 - 2", + "2.8%", + "Ark of the Exiled" + ], + [ + "Chest", + "1 - 2", + "2.8%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "1 - 2", + "2.8%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "1 - 2", + "2.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1 - 2", + "2.8%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "2.8%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1 - 2", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Stingleaf is an Item in Outward." + }, + { + "name": "Stoneflesh Elixir", + "url": "https://outward.fandom.com/wiki/Stoneflesh_Elixir", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "60", + "Effects": "Physical Attack UpImpact Resistance UpRage (Boon)", + "Object ID": "4300200", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9f/Stoneflesh_Potion.png/revision/latest/scale-to-width-down/83?cb=20190410154723", + "effects": [ + "Player receives Physical Attack Up", + "Player receives Impact Resistance Up", + "Player receives Rage" + ], + "effect_links": [ + "/wiki/Rage" + ], + "recipes": [ + { + "result": "Stoneflesh Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Gravel Beetle", + "Insect Husk", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Stoneflesh Elixir" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Gravel Beetle Insect Husk Crystal Powder", + "result": "1x Stoneflesh Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Stoneflesh Elixir", + "Water Gravel Beetle Insect Husk Crystal Powder", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "31.7%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Robyn Garnet, Alchemist", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Laine the Alchemist", + "1 - 5", + "31.7%", + "Monsoon" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "16.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Matriarch" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Specter (Cannon)" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Specter (Melee)" + } + ], + "raw_rows": [ + [ + "Golden Matriarch", + "1", + "8.3%" + ], + [ + "Golden Specter (Cannon)", + "1", + "8.3%" + ], + [ + "Golden Specter (Melee)", + "1", + "8.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1 - 2", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1 - 2", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1 - 2", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Stoneflesh Elixir is a Potion item in Outward." + }, + { + "name": "Strange Rusted Sword", + "url": "https://outward.fandom.com/wiki/Strange_Rusted_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "50", + "Class": "Swords", + "Damage": "22", + "Durability": "75", + "Effects": "Elemental Vulnerability", + "Impact": "17", + "Object ID": "2000151", + "Sell": "15", + "Stamina Cost": "4.025", + "Type": "One-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cd/Strange_Rusted_Sword.png/revision/latest?cb=20190413072819", + "effects": [ + "Inflicts Elemental Vulnerability (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Brand", + "result_count": "1x", + "ingredients": [ + "Strange Rusted Sword", + "Chemist's Broken Flask", + "Mage's Poking Stick", + "Blacksmith's Vintage Hammer" + ], + "station": "None", + "source_page": "Strange Rusted Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.025", + "damage": "22", + "description": "Two slash attacks, left to right", + "impact": "17", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "4.83", + "damage": "32.89", + "description": "Forward-thrusting strike", + "impact": "22.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "4.43", + "damage": "27.83", + "description": "Heavy left-lunging strike", + "impact": "18.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "4.43", + "damage": "27.83", + "description": "Heavy right-lunging strike", + "impact": "18.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "22", + "17", + "4.025", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "32.89", + "22.1", + "4.83", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "27.83", + "18.7", + "4.43", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.83", + "18.7", + "4.43", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Strange Rusted SwordChemist's Broken FlaskMage's Poking StickBlacksmith's Vintage Hammer", + "result": "1x Brand", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Brand", + "Strange Rusted SwordChemist's Broken FlaskMage's Poking StickBlacksmith's Vintage Hammer", + "None" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Strange Rusted Sword is a one-handed sword that can be found in Outward." + }, + { + "name": "Straw Hat", + "url": "https://outward.fandom.com/wiki/Straw_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "20", + "Damage Resist": "4%", + "Durability": "200", + "Hot Weather Def.": "5", + "Impact Resist": "2%", + "Item Set": "Trader Set", + "Object ID": "3000001", + "Sell": "6", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b2/Straw_Hat.png/revision/latest?cb=20190407081435", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Straw Hat" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Straw Hat" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Straw Hat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5% Cooldown ReductionGain +5 Pouch Bonus", + "enchantment": "Unassuming Ingenuity" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unassuming Ingenuity", + "Gain +5% Cooldown ReductionGain +5 Pouch Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1", + "100%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "10%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "10%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "4.6%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "4%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "4%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "10%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "10%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "10%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "10%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "10%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Broken Tent", + "1", + "4.6%", + "Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "1", + "4%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "4%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "4%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ] + ] + } + ], + "description": "Straw Hat is a type of Armor in Outward." + }, + { + "name": "Stringy Salad", + "url": "https://outward.fandom.com/wiki/Stringy_Salad", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Health Recovery 1Stamina Recovery 1Stealth Up", + "Hunger": "20%", + "Object ID": "4100520", + "Perish Time": "9 Days 22 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/95/Stringy_Salad.png/revision/latest/scale-to-width-down/83?cb=20190410134318", + "effects": [ + "Restores 20% Hunger", + "Player receives Stealth Up", + "Player receives Health Recovery (level 1)", + "Player receives Stamina Recovery (level 1)" + ], + "recipes": [ + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Stringy Salad" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Stringy Salad" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Stringy Salad" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Woolshroom Woolshroom Vegetable Vegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Stringy Salad", + "Woolshroom Woolshroom Vegetable Vegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "2", + "source": "Chef Iasu" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "4", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Chef Iasu", + "2", + "100%", + "Berg" + ], + [ + "Ibolya Battleborn, Chef", + "4", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "18.2%", + "locations": "Old Hunter's Cabin", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "18.2%", + "locations": "Berg", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "18.2%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "18.2%", + "locations": "Berg", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "18.2%", + "locations": "Cabal of Wind Temple, Face of the Ancients", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "18.2%", + "Old Hunter's Cabin" + ], + [ + "Junk Pile", + "1", + "18.2%", + "Berg" + ], + [ + "Knight's Corpse", + "1", + "18.2%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Stash", + "1", + "18.2%", + "Berg" + ], + [ + "Worker's Corpse", + "1", + "18.2%", + "Cabal of Wind Temple, Face of the Ancients" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Stringy Salad is a dish in Outward." + }, + { + "name": "Striped Garb", + "url": "https://outward.fandom.com/wiki/Striped_Garb", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "3", + "Damage Resist": "3%", + "Durability": "90", + "Impact Resist": "2%", + "Object ID": "3000009", + "Sell": "3", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/53/Striped_Garb.png/revision/latest?cb=20190415130015", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Striped Garb" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Striped Garb" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Striped Garb" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Striped Garb" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Striped Garb" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Striped Garb" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Striped Garb" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Striped Garb" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Striped Garb" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "7.3%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "7.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.6%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "2%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "2%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "2%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "2%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Broken Tent", + "1", + "4.6%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "2%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "2%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "2%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "2%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "2%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "2%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ] + ] + } + ], + "description": "Striped Garb is a type of Armor in Outward." + }, + { + "name": "Strongbox Backpack", + "url": "https://outward.fandom.com/wiki/Strongbox_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "100", + "Capacity": "60", + "Class": "Backpacks", + "Durability": "∞", + "Inventory Protection": "9", + "Object ID": "5300130", + "Preservation Amount": "4%", + "Protection": "2", + "Sell": "30", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/96/Strongbox_Backpack.png/revision/latest?cb=20190411000049", + "effects": [ + "Slows down the decay of perishable items by 4%.", + "Provides 9 Protection to the Durability of items in the backpack when hit by enemies" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "57.8%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "David Parks, Craftsman", + "1 - 3", + "57.8%", + "Harmattan" + ] + ] + } + ], + "description": "Strongbox Backpack is a type of Backpack in Outward." + }, + { + "name": "Sugar", + "url": "https://outward.fandom.com/wiki/Sugar", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "2", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6600011", + "Sell": "1", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a9/Sugar.png/revision/latest/scale-to-width-down/83?cb=20200616185624", + "recipes": [ + { + "result": "Sugar", + "result_count": "1x", + "ingredients": [ + "Leyline Water" + ], + "station": "Campfire", + "source_page": "Sugar" + }, + { + "result": "Angel Food Cake", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Sugar" + }, + { + "result": "Bagatelle", + "result_count": "3x", + "ingredients": [ + "Crawlberry Jam", + "Crawlberry Jam", + "Sugar", + "Fresh Cream" + ], + "station": "Cooking Pot", + "source_page": "Sugar" + }, + { + "result": "Cheese Cake", + "result_count": "3x", + "ingredients": [ + "Fresh Cream", + "Fresh Cream", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Sugar" + }, + { + "result": "Crawlberry Jam", + "result_count": "1x", + "ingredients": [ + "Crawlberry", + "Crawlberry", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Sugar" + }, + { + "result": "Invigorating Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Sugar", + "Dreamer's Root" + ], + "station": "Alchemy Kit", + "source_page": "Sugar" + }, + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Sugar" + }, + { + "result": "Purpkin Pie", + "result_count": "3x", + "ingredients": [ + "Purpkin", + "Flour", + "Veaber's Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Sugar" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Leyline Water", + "result": "1x Sugar", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Sugar", + "Leyline Water", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "FlourEggSugar", + "result": "3x Angel Food Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Crawlberry JamCrawlberry JamSugarFresh Cream", + "result": "3x Bagatelle", + "station": "Cooking Pot" + }, + { + "ingredients": "Fresh CreamFresh CreamEggSugar", + "result": "3x Cheese Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "CrawlberryCrawlberrySugar", + "result": "1x Crawlberry Jam", + "station": "Cooking Pot" + }, + { + "ingredients": "WaterSugarDreamer's Root", + "result": "3x Invigorating Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "FlourEggSugarBoozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + }, + { + "ingredients": "PurpkinFlourVeaber's EggSugar", + "result": "3x Purpkin Pie", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Angel Food Cake", + "FlourEggSugar", + "Cooking Pot" + ], + [ + "3x Bagatelle", + "Crawlberry JamCrawlberry JamSugarFresh Cream", + "Cooking Pot" + ], + [ + "3x Cheese Cake", + "Fresh CreamFresh CreamEggSugar", + "Cooking Pot" + ], + [ + "1x Crawlberry Jam", + "CrawlberryCrawlberrySugar", + "Cooking Pot" + ], + [ + "3x Invigorating Potion", + "WaterSugarDreamer's Root", + "Alchemy Kit" + ], + [ + "3x Pouding Chomeur", + "FlourEggSugarBoozu's Milk", + "Cooking Pot" + ], + [ + "3x Purpkin Pie", + "PurpkinFlourVeaber's EggSugar", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "21.3%", + "locations": "Harmattan", + "quantity": "3", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Pelletier Baker, Chef", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Pelletier Baker, Chef", + "3", + "21.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Bonded Beastmaster" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Wolfgang Captain" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Wolfgang Mercenary" + }, + { + "chance": "16.4%", + "quantity": "1 - 6", + "source": "Wolfgang Veteran" + }, + { + "chance": "15.1%", + "quantity": "1 - 6", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "1 - 6", + "16.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 6", + "16.4%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "1 - 6", + "16.4%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 6", + "16.4%" + ], + [ + "Wolfgang Captain", + "1 - 6", + "16.4%" + ], + [ + "Wolfgang Mercenary", + "1 - 6", + "16.4%" + ], + [ + "Wolfgang Veteran", + "1 - 6", + "16.4%" + ], + [ + "Blood Sorcerer", + "1 - 6", + "15.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.3%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1 - 3", + "source": "Knight's Corpse" + }, + { + "chance": "8.3%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 3", + "source": "Looter's Corpse" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "1 - 3", + "source": "Scavenger's Corpse" + }, + { + "chance": "8.3%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 3", + "source": "Soldier's Corpse" + }, + { + "chance": "8.3%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "1 - 3", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 3", + "8.3%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "1 - 3", + "8.3%", + "Harmattan" + ], + [ + "Knight's Corpse", + "1 - 3", + "8.3%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "1 - 3", + "8.3%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1 - 3", + "8.3%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "1 - 3", + "8.3%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1 - 3", + "8.3%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Sugar is an Item in Outward." + }, + { + "name": "Sulphur Potion", + "url": "https://outward.fandom.com/wiki/Sulphur_Potion", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "30", + "DLC": "The Three Brothers", + "Drink": "5%", + "Effects": "Physical Attack UpImpact UpStatus Build up Resistance Down", + "Object ID": "4300380", + "Perish Time": "∞", + "Sell": "9", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b2/Sulphur_Potion.png/revision/latest/scale-to-width-down/83?cb=20201220075334", + "effects": [ + "Restores 5% Thirst", + "Player receives Physical Attack Up", + "Player receives Impact Up", + "Player receives Status Build up Resistance Down" + ], + "recipes": [ + { + "result": "Sulphur Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Sulphur Potion" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Sulphuric Mushroom Crysocolla Beetle", + "result": "1x Sulphur Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Sulphur Potion", + "Water Sulphuric Mushroom Crysocolla Beetle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Silkworm's Refuge", + "quantity": "2 - 3", + "source": "Silver Tooth" + }, + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 40", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "2 - 3", + "100%", + "Silkworm's Refuge" + ], + [ + "Luc Salaberry, Alchemist", + "2 - 40", + "50.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Caldera, Myrmitaur's Haven", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "10%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "10%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "10%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "10%", + "locations": "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "10%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "10%", + "Caldera, Myrmitaur's Haven" + ], + [ + "Calygrey Chest", + "1", + "10%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "10%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "10%", + "Caldera, Calygrey Colosseum, Giant's Sauna, Immaculate's Refuge, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1", + "10%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "10%", + "Ark of the Exiled, Oil Refinery, Old Sirocco, The Eldest Brother, The Tower of Regrets" + ], + [ + "Knight's Corpse", + "1", + "10%", + "Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Ornate Chest", + "1", + "10%", + "Ark of the Exiled, Caldera, Calygrey Colosseum, Myrmitaur's Haven, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Scavenger's Corpse", + "1", + "10%", + "Myrmitaur's Haven" + ] + ] + } + ], + "description": "Sulphur Potion is an Item in Outward." + }, + { + "name": "Sulphuric Mushroom", + "url": "https://outward.fandom.com/wiki/Sulphuric_Mushroom", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "6", + "DLC": "The Three Brothers", + "Effects": "Pain", + "Object ID": "6000280", + "Perish Time": "8 Days", + "Sell": "2", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/36/Sulphuric_Mushroom.png/revision/latest/scale-to-width-down/83?cb=20201220075335", + "effects": [ + "Player receives Pain" + ], + "recipes": [ + { + "result": "Fragment Bomb", + "result_count": "1x", + "ingredients": [ + "Sulphuric Mushroom", + "Iron Scrap", + "Iron Scrap" + ], + "station": "Alchemy Kit", + "source_page": "Sulphuric Mushroom" + }, + { + "result": "Frost Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Chalcedony", + "Sulphuric Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Sulphuric Mushroom" + }, + { + "result": "Fungal Cleanser", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Mushroom", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Sulphuric Mushroom" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Sulphuric Mushroom" + }, + { + "result": "Oil Bomb", + "result_count": "1x", + "ingredients": [ + "Sulphuric Mushroom", + "Thick Oil", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Sulphuric Mushroom" + }, + { + "result": "Panacea", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Ableroot", + "Peach Seeds" + ], + "station": "Alchemy Kit", + "source_page": "Sulphuric Mushroom" + }, + { + "result": "Spark Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Calygrey Hairs", + "Sulphuric Mushroom" + ], + "station": "Alchemy Kit", + "source_page": "Sulphuric Mushroom" + }, + { + "result": "Sulphur Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Sulphuric Mushroom", + "Crysocolla Beetle" + ], + "station": "Alchemy Kit", + "source_page": "Sulphuric Mushroom" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Sulphuric MushroomIron ScrapIron Scrap", + "result": "1x Fragment Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Bomb KitChalcedonySulphuric Mushroom", + "result": "1x Frost Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "WoolshroomMushroomOchre Spice Beetle", + "result": "3x Fungal Cleanser", + "station": "Cooking Pot" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Sulphuric MushroomThick OilThick Oil", + "result": "1x Oil Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSulphuric MushroomAblerootPeach Seeds", + "result": "1x Panacea", + "station": "Alchemy Kit" + }, + { + "ingredients": "Bomb KitCalygrey HairsSulphuric Mushroom", + "result": "1x Spark Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterSulphuric MushroomCrysocolla Beetle", + "result": "1x Sulphur Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Fragment Bomb", + "Sulphuric MushroomIron ScrapIron Scrap", + "Alchemy Kit" + ], + [ + "1x Frost Bomb", + "Bomb KitChalcedonySulphuric Mushroom", + "Alchemy Kit" + ], + [ + "3x Fungal Cleanser", + "WoolshroomMushroomOchre Spice Beetle", + "Cooking Pot" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Oil Bomb", + "Sulphuric MushroomThick OilThick Oil", + "Alchemy Kit" + ], + [ + "1x Panacea", + "WaterSulphuric MushroomAblerootPeach Seeds", + "Alchemy Kit" + ], + [ + "1x Spark Bomb", + "Bomb KitCalygrey HairsSulphuric Mushroom", + "Alchemy Kit" + ], + [ + "1x Sulphur Potion", + "WaterSulphuric MushroomCrysocolla Beetle", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Sulphuric Mushroom (Gatherable)" + } + ], + "raw_rows": [ + [ + "Sulphuric Mushroom (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "50.8%", + "locations": "New Sirocco", + "quantity": "2 - 40", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "2 - 40", + "50.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.3%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "14.3%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "14.3%", + "locations": "Oil Refinery, The Eldest Brother", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "14.3%", + "locations": "Steam Bath Tunnels", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "14.3%", + "locations": "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "14.3%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.3%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "14.3%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "14.3%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1", + "14.3%", + "Caldera, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Vault of Stone" + ], + [ + "Corpse", + "1", + "14.3%", + "Caldera, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, The River of Red" + ], + [ + "Hollowed Trunk", + "1", + "14.3%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "14.3%", + "Oil Refinery, The Eldest Brother" + ], + [ + "Knight's Corpse", + "1", + "14.3%", + "Steam Bath Tunnels" + ], + [ + "Ornate Chest", + "1", + "14.3%", + "Caldera, Myrmitaur's Haven, Oil Refinery, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony" + ], + [ + "Scavenger's Corpse", + "1", + "14.3%", + "Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "14.3%", + "Old Sirocco" + ] + ] + } + ], + "description": "Sulphuric Mushroom is an Item in Outward." + }, + { + "name": "Sunfall Axe", + "url": "https://outward.fandom.com/wiki/Sunfall_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2000", + "Class": "Axes", + "Damage": "21 21", + "Durability": "475", + "Effects": "Burning", + "Impact": "28", + "Object ID": "2010070", + "Sell": "600", + "Stamina Cost": "4.6", + "Type": "One-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b5/Sunfall_Axe.png/revision/latest?cb=20190412201220", + "effects": [ + "Inflicts Burning (45% buildup)" + ], + "effect_links": [ + "/wiki/Burning", + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.6", + "damage": "21 21", + "description": "Two slashing strikes, right to left", + "impact": "28", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "5.52", + "damage": "27.3 27.3", + "description": "Fast, triple-attack strike", + "impact": "36.4", + "input": "Special" + }, + { + "attacks": "2", + "cost": "5.52", + "damage": "27.3 27.3", + "description": "Quick double strike", + "impact": "36.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "5.52", + "damage": "27.3 27.3", + "description": "Wide-sweeping double strike", + "impact": "36.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "21 21", + "28", + "4.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "27.3 27.3", + "36.4", + "5.52", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "27.3 27.3", + "36.4", + "5.52", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "27.3 27.3", + "36.4", + "5.52", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Sunfall Axe is a unique One-Handed Axe, found in the Stone Titan Caves in Abrassar." + }, + { + "name": "Survivor Elixir", + "url": "https://outward.fandom.com/wiki/Survivor_Elixir", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "60", + "Effects": "Restores 20 Burnt StaminaWeather DefenseStamina Recovery 3", + "Object ID": "4300220", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9f/Survivor_Elixir.png/revision/latest/scale-to-width-down/83?cb=20190410230909", + "effects": [ + "Restores 20 Burnt Stamina", + "Player receives Weather Defense", + "Player receives Stamina Recovery (level 2)" + ], + "recipes": [ + { + "result": "Survivor Elixir", + "result_count": "1x", + "ingredients": [ + "Water", + "Ochre Spice Beetle", + "Crystal Powder", + "Livweedi" + ], + "station": "Alchemy Kit", + "source_page": "Survivor Elixir" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Ochre Spice Beetle Crystal Powder Livweedi", + "result": "1x Survivor Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Survivor Elixir", + "Water Ochre Spice Beetle Crystal Powder Livweedi", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Robyn Garnet, Alchemist", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "16.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1 - 2", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1 - 2", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1 - 2", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Survivor Elixir is a Potion item in Outward." + }, + { + "name": "Sylphina Incense", + "url": "https://outward.fandom.com/wiki/Sylphina_Incense", + "categories": [ + "DLC: The Soroboreans", + "Incense", + "Items" + ], + "infobox": { + "Buy": "600", + "Class": "Incense", + "DLC": "The Soroboreans", + "Object ID": "6000250", + "Sell": "180", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/62/Sylphina_Incense.png/revision/latest/scale-to-width-down/83?cb=20200616185625", + "recipes": [ + { + "result": "Sylphina Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Ether", + "Pale Beauty Incense" + ], + "station": "Alchemy Kit", + "source_page": "Sylphina Incense" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying Quartz Tourmaline Elemental Particle – Ether Pale Beauty Incense", + "result": "4x Sylphina Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Sylphina Incense", + "Purifying Quartz Tourmaline Elemental Particle – Ether Pale Beauty Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "2.4%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "2.4%", + "Forgotten Research Laboratory" + ] + ] + }, + { + "title": "Used In Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Gain +10% Movement SpeedGain +10% Decay damage bonus", + "enchantment": "Chaos and Creativity" + }, + { + "effects": "Gain +10% Cooldown Reduction", + "enchantment": "Isolated Rumination" + }, + { + "effects": "Gain +10% Lightning damage bonusGain +10% Movement Speed bonus", + "enchantment": "Order and Discipline" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Specter's Wail" + }, + { + "effects": "Gain +7% Movement Speed bonusGain +5% Cooldown Reduction", + "enchantment": "Speed and Efficiency" + }, + { + "effects": "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +25% Ethereal damage bonus", + "enchantment": "Spirit of Berg" + }, + { + "effects": "Gain +0.2 flat Attack SpeedReduces Weight by -50%", + "enchantment": "Weightless" + } + ], + "raw_rows": [ + [ + "Chaos and Creativity", + "Gain +10% Movement SpeedGain +10% Decay damage bonus" + ], + [ + "Isolated Rumination", + "Gain +10% Cooldown Reduction" + ], + [ + "Order and Discipline", + "Gain +10% Lightning damage bonusGain +10% Movement Speed bonus" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Specter's Wail", + "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Speed and Efficiency", + "Gain +7% Movement Speed bonusGain +5% Cooldown Reduction" + ], + [ + "Spirit of Berg", + "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +25% Ethereal damage bonus" + ], + [ + "Weightless", + "Gain +0.2 flat Attack SpeedReduces Weight by -50%" + ] + ] + } + ], + "description": "Sylphina Incense is an Item in Outward." + }, + { + "name": "Tattered Attire", + "url": "https://outward.fandom.com/wiki/Tattered_Attire", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "10", + "Cold Weather Def.": "2", + "Damage Resist": "2%", + "Durability": "90", + "Hot Weather Def.": "2", + "Impact Resist": "2%", + "Item Set": "Tattered Set", + "Object ID": "3000130 3000131 3000132", + "Sell": "3", + "Slot": "Chest", + "Weight": "3.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Tattered Attire" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Tattered Attire" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Tattered Attire" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Tattered Attire" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Tattered Attire" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Tattered Attire" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Tattered Attire" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Tattered Attire" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Tattered Attire" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "10%", + "quantity": "1", + "source": "Hive Lord" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Tyrant of the Hive" + }, + { + "chance": "9.1%", + "quantity": "1", + "source": "Virulent Hiveman" + }, + { + "chance": "9.1%", + "quantity": "1", + "source": "Walking Hive" + } + ], + "raw_rows": [ + [ + "Hive Lord", + "1", + "10%" + ], + [ + "Tyrant of the Hive", + "1", + "10%" + ], + [ + "Virulent Hiveman", + "1", + "9.1%" + ], + [ + "Walking Hive", + "1", + "9.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3.4%", + "locations": "Dark Ziggurat Interior", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.8%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "1.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1", + "3.4%", + "Dark Ziggurat Interior" + ], + [ + "Chest", + "1", + "3%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "3%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "3%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "3%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "3%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "1.8%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "1.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "1.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ] + ] + } + ], + "description": "Tattered Attire is a type of Armor in Outward." + }, + { + "name": "Tattered Boots", + "url": "https://outward.fandom.com/wiki/Tattered_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "6", + "Cold Weather Def.": "1", + "Damage Resist": "1%", + "Durability": "90", + "Hot Weather Def.": "1", + "Impact Resist": "1%", + "Item Set": "Tattered Set", + "Object ID": "3000136", + "Sell": "2", + "Slot": "Legs", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/98/Tattered_Boots.png/revision/latest?cb=20190415160500", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Tattered Boots" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Tattered Boots" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Tattered Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +12% Impact resistance", + "enchantment": "Unwavering Determination" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unwavering Determination", + "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +12% Impact resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "10%", + "quantity": "1", + "source": "Hive Lord" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Tyrant of the Hive" + }, + { + "chance": "9.1%", + "quantity": "1", + "source": "Virulent Hiveman" + }, + { + "chance": "9.1%", + "quantity": "1", + "source": "Walking Hive" + } + ], + "raw_rows": [ + [ + "Hive Lord", + "1", + "10%" + ], + [ + "Tyrant of the Hive", + "1", + "10%" + ], + [ + "Virulent Hiveman", + "1", + "9.1%" + ], + [ + "Walking Hive", + "1", + "9.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "10%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "10%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "10%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "10%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "10%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "4.3%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.3%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "4.3%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "4.3%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "10%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "10%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "10%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "10%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "10%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "10%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "4.3%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "4.3%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "4.3%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "4.3%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Tattered Boots is a type of Armor in Outward." + }, + { + "name": "Tattered Hood", + "url": "https://outward.fandom.com/wiki/Tattered_Hood", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "6", + "Cold Weather Def.": "1", + "Damage Resist": "1%", + "Durability": "90", + "Hot Weather Def.": "1", + "Impact Resist": "1%", + "Item Set": "Tattered Set", + "Object ID": "3000133 3000134 3000135", + "Sell": "2", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Tattered Hood" + }, + { + "result": "Makeshift Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Hide" + ], + "station": "None", + "source_page": "Tattered Hood" + }, + { + "result": "Scaled Leather Hat", + "result_count": "1x", + "ingredients": [ + "Basic Helm", + "Predator Bones", + "Scaled Leather", + "Scaled Leather" + ], + "station": "None", + "source_page": "Tattered Hood" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic HelmHide", + "result": "1x Makeshift Leather Hat", + "station": "None" + }, + { + "ingredients": "Basic HelmPredator BonesScaled LeatherScaled Leather", + "result": "1x Scaled Leather Hat", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Hat", + "Basic HelmHide", + "None" + ], + [ + "1x Scaled Leather Hat", + "Basic HelmPredator BonesScaled LeatherScaled Leather", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5% Cooldown ReductionGain +5 Pouch Bonus", + "enchantment": "Unassuming Ingenuity" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unassuming Ingenuity", + "Gain +5% Cooldown ReductionGain +5 Pouch Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "10%", + "quantity": "1", + "source": "Hive Lord" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Tyrant of the Hive" + }, + { + "chance": "9.1%", + "quantity": "1", + "source": "Virulent Hiveman" + }, + { + "chance": "9.1%", + "quantity": "1", + "source": "Walking Hive" + } + ], + "raw_rows": [ + [ + "Hive Lord", + "1", + "10%" + ], + [ + "Tyrant of the Hive", + "1", + "10%" + ], + [ + "Virulent Hiveman", + "1", + "9.1%" + ], + [ + "Walking Hive", + "1", + "9.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "3%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "3%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "3%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "3%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "3%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.8%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "1.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "1.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "1.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "3%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "3%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "3%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "3%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "3%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "3%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "1.8%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "1.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "1.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "1.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Tattered Hood is a type of Armor in Outward." + }, + { + "name": "Tattered Set", + "url": "https://outward.fandom.com/wiki/Tattered_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "22", + "Cold Weather Def.": "4", + "Damage Resist": "4%", + "Durability": "270", + "Hot Weather Def.": "4", + "Impact Resist": "4%", + "Object ID": "3000130 3000131 3000132 (Chest)3000136 (Legs)3000133 3000134 3000135 (Head)", + "Sell": "7", + "Slot": "Set", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/67/Tattered_set.png/revision/latest/scale-to-width-down/244?cb=20190415213734", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "2%", + "column_5": "2", + "column_6": "2", + "durability": "90", + "name": "Tattered Attire", + "resistances": "2%", + "weight": "3.0" + }, + { + "class": "Boots", + "column_4": "1%", + "column_5": "1", + "column_6": "1", + "durability": "90", + "name": "Tattered Boots", + "resistances": "1%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "1%", + "column_5": "1", + "column_6": "1", + "durability": "90", + "name": "Tattered Hood", + "resistances": "1%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Tattered Attire", + "2%", + "2%", + "2", + "2", + "90", + "3.0", + "Body Armor" + ], + [ + "", + "Tattered Boots", + "1%", + "1%", + "1", + "1", + "90", + "2.0", + "Boots" + ], + [ + "", + "Tattered Hood", + "1%", + "1%", + "1", + "1", + "90", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "2%", + "column_5": "2", + "column_6": "2", + "durability": "90", + "name": "Tattered Attire", + "resistances": "2%", + "weight": "3.0" + }, + { + "class": "Boots", + "column_4": "1%", + "column_5": "1", + "column_6": "1", + "durability": "90", + "name": "Tattered Boots", + "resistances": "1%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "1%", + "column_5": "1", + "column_6": "1", + "durability": "90", + "name": "Tattered Hood", + "resistances": "1%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Tattered Attire", + "2%", + "2%", + "2", + "2", + "90", + "3.0", + "Body Armor" + ], + [ + "", + "Tattered Boots", + "1%", + "1%", + "1", + "1", + "90", + "2.0", + "Boots" + ], + [ + "", + "Tattered Hood", + "1%", + "1%", + "1", + "1", + "90", + "1.0", + "Helmets" + ] + ] + } + ], + "description": "Tattered Set is a Set in Outward. There are a number of color variants for the set items, though they all have the same names and stats." + }, + { + "name": "Tenebrous Armor", + "url": "https://outward.fandom.com/wiki/Tenebrous_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "450", + "Cold Weather Def.": "10", + "Corruption Resist": "8%", + "Damage Bonus": "10% 5%", + "Damage Resist": "17% 15% 15% 15%", + "Durability": "260", + "Impact Resist": "10%", + "Item Set": "Tenebrous Set", + "Made By": "Tokuga (Levant)", + "Mana Cost": "-10%", + "Materials": "5x Hackmanite200", + "Object ID": "3000140", + "Sell": "149", + "Slot": "Chest", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/05/Tenebrous_Armor.png/revision/latest?cb=20190415130923", + "recipes": [ + { + "result": "Tenebrous Armor", + "result_count": "1x", + "ingredients": [ + "200 silver", + "5x Hackmanite" + ], + "station": "Master-Smith Tokuga", + "source_page": "Tenebrous Armor" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "200 silver5x Hackmanite", + "result": "1x Tenebrous Armor", + "station": "Master-Smith Tokuga" + } + ], + "raw_rows": [ + [ + "1x Tenebrous Armor", + "200 silver5x Hackmanite", + "Master-Smith Tokuga" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +10% Movement SpeedGain +10% Decay damage bonus", + "enchantment": "Chaos and Creativity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Chaos and Creativity", + "Gain +10% Movement SpeedGain +10% Decay damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Tenebrous Armor is a type of Armor in Outward." + }, + { + "name": "Tenebrous Boots", + "url": "https://outward.fandom.com/wiki/Tenebrous_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "250", + "Cold Weather Def.": "5", + "Corruption Resist": "3%", + "Damage Bonus": "5% 10%", + "Damage Resist": "9% 7% 7% 7%", + "Durability": "260", + "Impact Resist": "7%", + "Item Set": "Tenebrous Set", + "Made By": "Tokuga (Levant)", + "Mana Cost": "-10%", + "Materials": "2x Hackmanite100", + "Object ID": "3000142", + "Sell": "83", + "Slot": "Legs", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/09/Tenebrous_Boots.png/revision/latest?cb=20190415160704", + "recipes": [ + { + "result": "Tenebrous Boots", + "result_count": "1x", + "ingredients": [ + "100 silver", + "2x Hackmanite" + ], + "station": "Master-Smith Tokuga", + "source_page": "Tenebrous Boots" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "100 silver2x Hackmanite", + "result": "1x Tenebrous Boots", + "station": "Master-Smith Tokuga" + } + ], + "raw_rows": [ + [ + "1x Tenebrous Boots", + "100 silver2x Hackmanite", + "Master-Smith Tokuga" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +7% Movement Speed bonusGain +5% Cooldown Reduction", + "enchantment": "Speed and Efficiency" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Speed and Efficiency", + "Gain +7% Movement Speed bonusGain +5% Cooldown Reduction" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Tenebrous Boots is a type of Armor in Outward." + }, + { + "name": "Tenebrous Helm", + "url": "https://outward.fandom.com/wiki/Tenebrous_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "250", + "Cold Weather Def.": "5", + "Corruption Resist": "4%", + "Damage Bonus": "5% 10%", + "Damage Resist": "9% 7% 7% 7%", + "Durability": "260", + "Impact Resist": "7%", + "Item Set": "Tenebrous Set", + "Made By": "Tokuga (Levant)", + "Mana Cost": "-10%", + "Materials": "2x Hackmanite100", + "Object ID": "3000141", + "Sell": "75", + "Slot": "Head", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/87/Tenebrous_Helm.png/revision/latest?cb=20190414201640", + "recipes": [ + { + "result": "Tenebrous Helm", + "result_count": "1x", + "ingredients": [ + "100 silver", + "2x Hackmanite" + ], + "station": "Master-Smith Tokuga", + "source_page": "Tenebrous Helm" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "100 silver2x Hackmanite", + "result": "1x Tenebrous Helm", + "station": "Master-Smith Tokuga" + } + ], + "raw_rows": [ + [ + "1x Tenebrous Helm", + "100 silver2x Hackmanite", + "Master-Smith Tokuga" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +10% Lightning damage bonusGain +10% Movement Speed bonus", + "enchantment": "Order and Discipline" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Order and Discipline", + "Gain +10% Lightning damage bonusGain +10% Movement Speed bonus" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Tenebrous Helm is a type of Armor in Outward." + }, + { + "name": "Tenebrous Set", + "url": "https://outward.fandom.com/wiki/Tenebrous_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "950", + "Cold Weather Def.": "20", + "Corruption Resist": "15%", + "Damage Bonus": "20% 25%", + "Damage Resist": "35% 29% 29% 29%", + "Durability": "780", + "Impact Resist": "24%", + "Mana Cost": "-30%", + "Object ID": "3000140 (Chest)3000142 (Legs)3000141 (Head)", + "Sell": "307", + "Slot": "Set", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/29/Tenebrous_set.png/revision/latest/scale-to-width-down/245?cb=20190415213752", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "10%", + "column_6": "10", + "column_7": "-10%", + "column_8": "8%", + "damage_bonus%": "10% 5%", + "durability": "260", + "name": "Tenebrous Armor", + "resistances": "17% 15% 15% 15%", + "weight": "7.0" + }, + { + "class": "Boots", + "column_4": "7%", + "column_6": "5", + "column_7": "-10%", + "column_8": "3%", + "damage_bonus%": "5% 10%", + "durability": "260", + "name": "Tenebrous Boots", + "resistances": "9% 7% 7% 7%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "7%", + "column_6": "5", + "column_7": "-10%", + "column_8": "4%", + "damage_bonus%": "5% 10%", + "durability": "260", + "name": "Tenebrous Helm", + "resistances": "9% 7% 7% 7%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Tenebrous Armor", + "17% 15% 15% 15%", + "10%", + "10% 5%", + "10", + "-10%", + "8%", + "260", + "7.0", + "Body Armor" + ], + [ + "", + "Tenebrous Boots", + "9% 7% 7% 7%", + "7%", + "5% 10%", + "5", + "-10%", + "3%", + "260", + "3.0", + "Boots" + ], + [ + "", + "Tenebrous Helm", + "9% 7% 7% 7%", + "7%", + "5% 10%", + "5", + "-10%", + "4%", + "260", + "2.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Column 6", + "Column 7", + "Column 8", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "10%", + "column_6": "10", + "column_7": "-10%", + "column_8": "8%", + "damage_bonus%": "10% 5%", + "durability": "260", + "name": "Tenebrous Armor", + "resistances": "17% 15% 15% 15%", + "weight": "7.0" + }, + { + "class": "Boots", + "column_4": "7%", + "column_6": "5", + "column_7": "-10%", + "column_8": "3%", + "damage_bonus%": "5% 10%", + "durability": "260", + "name": "Tenebrous Boots", + "resistances": "9% 7% 7% 7%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "7%", + "column_6": "5", + "column_7": "-10%", + "column_8": "4%", + "damage_bonus%": "5% 10%", + "durability": "260", + "name": "Tenebrous Helm", + "resistances": "9% 7% 7% 7%", + "weight": "2.0" + } + ], + "raw_rows": [ + [ + "", + "Tenebrous Armor", + "17% 15% 15% 15%", + "10%", + "10% 5%", + "10", + "-10%", + "8%", + "260", + "7.0", + "Body Armor" + ], + [ + "", + "Tenebrous Boots", + "9% 7% 7% 7%", + "7%", + "5% 10%", + "5", + "-10%", + "3%", + "260", + "3.0", + "Boots" + ], + [ + "", + "Tenebrous Helm", + "9% 7% 7% 7%", + "7%", + "5% 10%", + "5", + "-10%", + "4%", + "260", + "2.0", + "Helmets" + ] + ] + } + ], + "description": "Tenebrous Set is a Set in Outward. It can be commissioned at Tokuga in Levant." + }, + { + "name": "The Will O Wisp", + "url": "https://outward.fandom.com/wiki/The_Will_O_Wisp", + "categories": [ + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "700", + "Class": "Shields", + "Damage": "34", + "Damage Bonus": "7%", + "Durability": "275", + "Effects": "Weaken", + "Impact": "25", + "Impact Resist": "16%", + "Object ID": "2300600", + "Sell": "210", + "Type": "Off-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e7/The_Will_O_Wisp.png/revision/latest/scale-to-width-down/83?cb=20220519143253", + "effects": [ + "Inflicts Weaken (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + } + ], + "description": "The Will O Wisp is a type of Weapon in Outward." + }, + { + "name": "Thermal Claymore", + "url": "https://outward.fandom.com/wiki/Thermal_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Swords", + "Damage": "53", + "Damage Bonus": "15% 15%", + "Durability": "475", + "Effects": "Pain", + "Impact": "50", + "Object ID": "2100160", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b8/Thermal_Claymore.png/revision/latest/scale-to-width-down/83?cb=20190629155202", + "effects": [ + "Inflicts Pain (60% buildup)", + "Increases Fire and Frost damage by 15% (though it does not grant any base damage to these elements)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Thermal Claymore", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Haunted Memory", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Thermal Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "53", + "description": "Two slashing strikes, left to right", + "impact": "50", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10.01", + "damage": "79.5", + "description": "Overhead downward-thrusting strike", + "impact": "75", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "67.05", + "description": "Spinning strike from the right", + "impact": "55", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "67.05", + "description": "Spinning strike from the left", + "impact": "55", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "53", + "50", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "79.5", + "75", + "10.01", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "67.05", + "55", + "8.47", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "67.05", + "55", + "8.47", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Pearlbird's Courage Haunted Memory Leyline Figment Vendavel's Hospitality", + "result": "1x Thermal Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Thermal Claymore", + "Pearlbird's Courage Haunted Memory Leyline Figment Vendavel's Hospitality", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Thermal Claymore is a type of Two-Handed Sword weapon in Outward." + }, + { + "name": "Thick Oil", + "url": "https://outward.fandom.com/wiki/Thick_Oil", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "6", + "Object ID": "6600070", + "Sell": "2", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cd/Thick_Oil.png/revision/latest/scale-to-width-down/83?cb=20190424104738", + "recipes": [ + { + "result": "Antidote", + "result_count": "1x", + "ingredients": [ + "Common Mushroom", + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Thick Oil" + }, + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Shark Cartilage", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Thick Oil" + }, + { + "result": "Bullet", + "result_count": "3x", + "ingredients": [ + "Iron Scrap", + "Thick Oil" + ], + "station": "None", + "source_page": "Thick Oil" + }, + { + "result": "Charge – Incendiary", + "result_count": "3x", + "ingredients": [ + "Thick Oil", + "Iron Scrap", + "Salt" + ], + "station": "Alchemy Kit", + "source_page": "Thick Oil" + }, + { + "result": "Elemental Immunity Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Azure Shrimp", + "Firefly Powder", + "Occult Remains" + ], + "station": "Alchemy Kit", + "source_page": "Thick Oil" + }, + { + "result": "Explorer Lantern", + "result_count": "1x", + "ingredients": [ + "Explorer Lantern", + "Thick Oil" + ], + "station": "None", + "source_page": "Thick Oil" + }, + { + "result": "Fire Rag", + "result_count": "1x", + "ingredients": [ + "Linen Cloth", + "Thick Oil" + ], + "station": "None", + "source_page": "Thick Oil" + }, + { + "result": "Fire Stone", + "result_count": "1x", + "ingredients": [ + "Mana Stone", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Thick Oil" + }, + { + "result": "Flaming Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Thick Oil" + }, + { + "result": "Innocence Potion", + "result_count": "3x", + "ingredients": [ + "Thick Oil", + "Purifying Quartz", + "Dark Stone", + "Boozu's Milk" + ], + "station": "Alchemy Kit", + "source_page": "Thick Oil" + }, + { + "result": "Oil Bomb", + "result_count": "1x", + "ingredients": [ + "Sulphuric Mushroom", + "Thick Oil", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Thick Oil" + }, + { + "result": "Old Lantern", + "result_count": "1x", + "ingredients": [ + "Iron Scrap", + "Iron Scrap", + "Thick Oil", + "Linen Cloth" + ], + "station": "None", + "source_page": "Thick Oil" + }, + { + "result": "Old Lantern", + "result_count": "1x", + "ingredients": [ + "Old Lantern", + "Thick Oil" + ], + "station": "None", + "source_page": "Thick Oil" + }, + { + "result": "Warm Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Thick Oil" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Common MushroomThick OilWater", + "result": "1x Antidote", + "station": "Alchemy Kit" + }, + { + "ingredients": "Shark CartilageThick Oil", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Iron ScrapThick Oil", + "result": "3x Bullet", + "station": "None" + }, + { + "ingredients": "Thick OilIron ScrapSalt", + "result": "3x Charge – Incendiary", + "station": "Alchemy Kit" + }, + { + "ingredients": "Thick OilAzure ShrimpFirefly PowderOccult Remains", + "result": "1x Elemental Immunity Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Explorer LanternThick Oil", + "result": "1x Explorer Lantern", + "station": "None" + }, + { + "ingredients": "Linen ClothThick Oil", + "result": "1x Fire Rag", + "station": "None" + }, + { + "ingredients": "Mana StoneThick Oil", + "result": "1x Fire Stone", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodThick Oil", + "result": "5x Flaming Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Thick OilPurifying QuartzDark StoneBoozu's Milk", + "result": "3x Innocence Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Sulphuric MushroomThick OilThick Oil", + "result": "1x Oil Bomb", + "station": "Alchemy Kit" + }, + { + "ingredients": "Iron ScrapIron ScrapThick OilLinen Cloth", + "result": "1x Old Lantern", + "station": "None" + }, + { + "ingredients": "Old LanternThick Oil", + "result": "1x Old Lantern", + "station": "None" + }, + { + "ingredients": "Thick OilWater", + "result": "1x Warm Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Antidote", + "Common MushroomThick OilWater", + "Alchemy Kit" + ], + [ + "1x Astral Potion", + "Shark CartilageThick Oil", + "Alchemy Kit" + ], + [ + "3x Bullet", + "Iron ScrapThick Oil", + "None" + ], + [ + "3x Charge – Incendiary", + "Thick OilIron ScrapSalt", + "Alchemy Kit" + ], + [ + "1x Elemental Immunity Potion", + "Thick OilAzure ShrimpFirefly PowderOccult Remains", + "Alchemy Kit" + ], + [ + "1x Explorer Lantern", + "Explorer LanternThick Oil", + "None" + ], + [ + "1x Fire Rag", + "Linen ClothThick Oil", + "None" + ], + [ + "1x Fire Stone", + "Mana StoneThick Oil", + "Alchemy Kit" + ], + [ + "5x Flaming Arrow", + "Arrowhead KitWoodThick Oil", + "Alchemy Kit" + ], + [ + "3x Innocence Potion", + "Thick OilPurifying QuartzDark StoneBoozu's Milk", + "Alchemy Kit" + ], + [ + "1x Oil Bomb", + "Sulphuric MushroomThick OilThick Oil", + "Alchemy Kit" + ], + [ + "1x Old Lantern", + "Iron ScrapIron ScrapThick OilLinen Cloth", + "None" + ], + [ + "1x Old Lantern", + "Old LanternThick Oil", + "None" + ], + [ + "1x Warm Potion", + "Thick OilWater", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Oil Node" + }, + { + "chance": "100%", + "quantity": "3", + "source": "Oil Node (Caldera)" + }, + { + "chance": "40%", + "quantity": "1", + "source": "Iron Vein (Vendavel)" + }, + { + "chance": "33.6%", + "quantity": "2 - 4", + "source": "Iron Vein (Tourmaline)" + }, + { + "chance": "33.6%", + "quantity": "2 - 4", + "source": "Rich Iron Vein (Tourmaline)" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Iron Vein" + }, + { + "chance": "29.2%", + "quantity": "2 - 4", + "source": "Rich Iron Vein" + } + ], + "raw_rows": [ + [ + "Oil Node", + "3", + "100%" + ], + [ + "Oil Node (Caldera)", + "3", + "100%" + ], + [ + "Iron Vein (Vendavel)", + "1", + "40%" + ], + [ + "Iron Vein (Tourmaline)", + "2 - 4", + "33.6%" + ], + [ + "Rich Iron Vein (Tourmaline)", + "2 - 4", + "33.6%" + ], + [ + "Iron Vein", + "1", + "33.3%" + ], + [ + "Rich Iron Vein", + "2 - 4", + "29.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 4", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "5", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2 - 4", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "5", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "5", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "5", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "5", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "5", + "source": "Silver-Nose the Trader" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3 - 5", + "source": "Soroborean Caravanner" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "2 - 4", + "source": "Tuan the Alchemist" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "3 - 4", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "5", + "100%", + "Giants' Village" + ], + [ + "Helmi the Alchemist", + "2 - 4", + "100%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "5", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "5", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "5", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "5", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "5", + "100%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "3 - 5", + "100%", + "Cierzo" + ], + [ + "Tuan the Alchemist", + "2 - 4", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Burning Man" + }, + { + "chance": "100%", + "quantity": "1 - 3", + "source": "Gastrocin" + }, + { + "chance": "100%", + "quantity": "1 - 3", + "source": "Quartz Gastrocin" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Troglodyte Grenadier" + }, + { + "chance": "100%", + "quantity": "1 - 3", + "source": "Volcanic Gastrocin" + }, + { + "chance": "39.5%", + "quantity": "1 - 2", + "source": "Troglodyte Knight" + }, + { + "chance": "38%", + "quantity": "1 - 2", + "source": "Fire Beetle" + }, + { + "chance": "23.8%", + "quantity": "1", + "source": "Armored Troglodyte" + }, + { + "chance": "23.8%", + "quantity": "1", + "source": "Troglodyte" + }, + { + "chance": "23.8%", + "quantity": "1", + "source": "Troglodyte Grenadier" + }, + { + "chance": "15.4%", + "quantity": "1", + "source": "Mana Troglodyte" + }, + { + "chance": "15.4%", + "quantity": "1", + "source": "Troglodyte Archmage" + }, + { + "chance": "12.3%", + "quantity": "2 - 9", + "source": "Ice Witch" + }, + { + "chance": "9.4%", + "quantity": "2 - 3", + "source": "Jade-Lich Acolyte" + } + ], + "raw_rows": [ + [ + "Burning Man", + "1", + "100%" + ], + [ + "Gastrocin", + "1 - 3", + "100%" + ], + [ + "Quartz Gastrocin", + "1 - 3", + "100%" + ], + [ + "Troglodyte Grenadier", + "1", + "100%" + ], + [ + "Volcanic Gastrocin", + "1 - 3", + "100%" + ], + [ + "Troglodyte Knight", + "1 - 2", + "39.5%" + ], + [ + "Fire Beetle", + "1 - 2", + "38%" + ], + [ + "Armored Troglodyte", + "1", + "23.8%" + ], + [ + "Troglodyte", + "1", + "23.8%" + ], + [ + "Troglodyte Grenadier", + "1", + "23.8%" + ], + [ + "Mana Troglodyte", + "1", + "15.4%" + ], + [ + "Troglodyte Archmage", + "1", + "15.4%" + ], + [ + "Ice Witch", + "2 - 9", + "12.3%" + ], + [ + "Jade-Lich Acolyte", + "2 - 3", + "9.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 6", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red", + "quantity": "1 - 6", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow", + "quantity": "1 - 6", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 4", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 4", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 6", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 6", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 6", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 6", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 6", + "9.8%", + "Abrassar, Caldera, Forgotten Research Laboratory, The River of Red" + ], + [ + "Hollowed Trunk", + "1 - 6", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Enmerkar Forest, Hive Trap, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 6", + "9.8%", + "Abandoned Storage, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Harmattan Basement, Old Sirocco, Pirates' Hideout, Reptilian Lair, Silkworm's Refuge, Starfish Cave, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Tower of Regrets, Tree Husk, Underside Loading Dock, Ziggurat Passage" + ] + ] + } + ], + "description": "Thick Oil is an item in Outward that can be used in various alchemical recipes." + }, + { + "name": "Thorn Chakram", + "url": "https://outward.fandom.com/wiki/Thorn_Chakram", + "categories": [ + "Items", + "Weapons", + "Chakrams", + "Off-Handed Weapons" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Chakrams", + "Damage": "37", + "Durability": "300", + "Effects": "Bleeding", + "Impact": "38", + "Object ID": "5110090", + "Sell": "240", + "Type": "Off-Handed", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e8/Thorn_Chakram.png/revision/latest?cb=20190406073410", + "effects": [ + "Inflicts Bleeding (60% buildup)" + ], + "effect_links": [ + "/wiki/Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Chakram", + "result_count": "1x", + "ingredients": [ + "Thorn Chakram", + "Horror Chitin", + "Occult Remains", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Thorn Chakram" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Thorn ChakramHorror ChitinOccult RemainsPalladium Scrap", + "result": "1x Horror Chakram", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Chakram", + "Thorn ChakramHorror ChitinOccult RemainsPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Tuan the Alchemist" + }, + { + "chance": "23.4%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Ryan Sullivan, Arcanist" + } + ], + "raw_rows": [ + [ + "Tuan the Alchemist", + "1", + "100%", + "Levant" + ], + [ + "Ryan Sullivan, Arcanist", + "1 - 2", + "23.4%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Thorn Chakram is a chakram in Outward." + }, + { + "name": "Thorny Cartilage", + "url": "https://outward.fandom.com/wiki/Thorny_Cartilage", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "Object ID": "6600140", + "Sell": "18", + "Type": "Ingredient", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ab/Thorny_Cartilage.png/revision/latest/scale-to-width-down/83?cb=20190426143033", + "recipes": [ + { + "result": "Corruption Totemic Lodge", + "result_count": "1x", + "ingredients": [ + "Advanced Tent", + "Miasmapod", + "Thorny Cartilage", + "Predator Bones" + ], + "station": "None", + "source_page": "Thorny Cartilage" + }, + { + "result": "Thorny Claymore", + "result_count": "1x", + "ingredients": [ + "Thorny Cartilage", + "Thorny Cartilage", + "Iron Claymore", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Thorny Cartilage" + }, + { + "result": "Thorny Spear", + "result_count": "1x", + "ingredients": [ + "Thorny Cartilage", + "Thorny Cartilage", + "Iron Spear", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Thorny Cartilage" + } + ], + "tables": [ + { + "title": "Description", + "headers": [ + "“", + "Bony spurs harvested from lesser horrors, used to craft weapons", + "„" + ], + "rows": [ + { + "bony_spurs_harvested_from_lesser_horrors,_used_to_craft_weapons": "~ In-game description" + } + ], + "raw_rows": [ + [ + "", + "~ In-game description", + "" + ] + ] + }, + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Advanced TentMiasmapodThorny CartilagePredator Bones", + "result": "1x Corruption Totemic Lodge", + "station": "None" + }, + { + "ingredients": "Thorny CartilageThorny CartilageIron ClaymorePalladium Scrap", + "result": "1x Thorny Claymore", + "station": "None" + }, + { + "ingredients": "Thorny CartilageThorny CartilageIron SpearPalladium Scrap", + "result": "1x Thorny Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Corruption Totemic Lodge", + "Advanced TentMiasmapodThorny CartilagePredator Bones", + "None" + ], + [ + "1x Thorny Claymore", + "Thorny CartilageThorny CartilageIron ClaymorePalladium Scrap", + "None" + ], + [ + "1x Thorny Spear", + "Thorny CartilageThorny CartilageIron SpearPalladium Scrap", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "9%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "9%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Butcher of Men" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Friendly Immaculate" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Greater Grotesque" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Grotesque" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Immaculate" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Immaculate Raider" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Immaculate Warlock" + }, + { + "chance": "53%", + "quantity": "1 - 3", + "source": "Sandrose Horror" + }, + { + "chance": "53%", + "quantity": "1 - 3", + "source": "Shell Horror" + } + ], + "raw_rows": [ + [ + "Butcher of Men", + "1", + "100%" + ], + [ + "Friendly Immaculate", + "1", + "100%" + ], + [ + "Greater Grotesque", + "1", + "100%" + ], + [ + "Grotesque", + "1", + "100%" + ], + [ + "Immaculate", + "1", + "100%" + ], + [ + "Immaculate Raider", + "1", + "100%" + ], + [ + "Immaculate Warlock", + "1", + "100%" + ], + [ + "Sandrose Horror", + "1 - 3", + "53%" + ], + [ + "Shell Horror", + "1 - 3", + "53%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "5%", + "locations": "Calygrey Colosseum", + "quantity": "1", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "5%", + "locations": "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Caldera, Old Sirocco, Scarlet Sanctuary", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Caldera", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Old Sirocco", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Caldera" + ], + [ + "Calygrey Chest", + "1", + "5%", + "Ark of the Exiled" + ], + [ + "Calygrey Colosseum/Chest", + "1", + "5%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1", + "5%", + "Heroic Kingdom's Conflux Path, Lost Golem Manufacturing Facility, Old Harmattan Basement, Old Sirocco, Steam Bath Tunnels, The Tower of Regrets" + ], + [ + "Corpse", + "1", + "5%", + "Caldera, Old Sirocco, Scarlet Sanctuary" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Caldera" + ], + [ + "Junk Pile", + "1", + "5%", + "Caldera" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Old Sirocco" + ], + [ + "Ornate Chest", + "1", + "5%", + "Abrassar, Ancient Hive, Antique Plateau, Ark of the Exiled, Cabal of Wind Temple, Caldera, Calygrey Colosseum, Cierzo (Destroyed), Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The River of Red, The Slide, The Vault of Stone, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Thorny Cartilage is an item found in Outward." + }, + { + "name": "Thorny Claymore", + "url": "https://outward.fandom.com/wiki/Thorny_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "375", + "Class": "Swords", + "Damage": "16 16", + "Durability": "225", + "Impact": "36", + "Object ID": "2100070", + "Sell": "112", + "Stamina Cost": "6.9", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/93/Thorny_Claymore.png/revision/latest?cb=20190413074905", + "recipes": [ + { + "result": "Thorny Claymore", + "result_count": "1x", + "ingredients": [ + "Thorny Cartilage", + "Thorny Cartilage", + "Iron Claymore", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Thorny Claymore" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Thorny Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.9", + "damage": "16 16", + "description": "Two slashing strikes, left to right", + "impact": "36", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.97", + "damage": "24 24", + "description": "Overhead downward-thrusting strike", + "impact": "54", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.59", + "damage": "20.24 20.24", + "description": "Spinning strike from the right", + "impact": "39.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.59", + "damage": "20.24 20.24", + "description": "Spinning strike from the left", + "impact": "39.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "16 16", + "36", + "6.9", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "24 24", + "54", + "8.97", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "20.24 20.24", + "39.6", + "7.59", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.24 20.24", + "39.6", + "7.59", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Thorny Cartilage Thorny Cartilage Iron Claymore Palladium Scrap", + "result": "1x Thorny Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Thorny Claymore", + "Thorny Cartilage Thorny Cartilage Iron Claymore Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Thorny Claymore is a craftable two-handed sword in Outward." + }, + { + "name": "Thorny Spear", + "url": "https://outward.fandom.com/wiki/Thorny_Spear", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "300", + "Class": "Spears", + "Damage": "16 16", + "Durability": "175", + "Impact": "24", + "Object ID": "2130100", + "Sell": "90", + "Stamina Cost": "5", + "Type": "Two-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a4/Thorny_Spear.png/revision/latest?cb=20190413070859", + "recipes": [ + { + "result": "Thorny Spear", + "result_count": "1x", + "ingredients": [ + "Thorny Cartilage", + "Thorny Cartilage", + "Iron Spear", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Thorny Spear" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Thorny Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "16 16", + "description": "Two forward-thrusting stabs", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "22.4 22.4", + "description": "Forward-lunging strike", + "impact": "28.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "20.8 20.8", + "description": "Left-sweeping strike, jump back", + "impact": "28.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "19.2 19.2", + "description": "Fast spinning strike from the right", + "impact": "26.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "16 16", + "24", + "5", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "22.4 22.4", + "28.8", + "6.25", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "20.8 20.8", + "28.8", + "6.25", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "19.2 19.2", + "26.4", + "6.25", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Thorny Cartilage Thorny Cartilage Iron Spear Palladium Scrap", + "result": "1x Thorny Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Thorny Spear", + "Thorny Cartilage Thorny Cartilage Iron Spear Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Thorny Spear is a type of spear in Outward." + }, + { + "name": "Thrice-Wrought Halberd", + "url": "https://outward.fandom.com/wiki/Thrice-Wrought_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2500", + "Class": "Polearms", + "Damage": "18 18", + "Durability": "425", + "Impact": "43", + "Object ID": "2140060", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Halberd", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/15/Thrice-Wrought_Halberd.png/revision/latest?cb=20190412213331", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "18 18", + "description": "Two wide-sweeping strikes, left to right", + "impact": "43", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "23.4 23.4", + "description": "Forward-thrusting strike", + "impact": "55.9", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "23.4 23.4", + "description": "Wide-sweeping strike from left", + "impact": "55.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "30.6 30.6", + "description": "Slow but powerful sweeping strike", + "impact": "73.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "18 18", + "43", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "23.4 23.4", + "55.9", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "23.4 23.4", + "55.9", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "30.6 30.6", + "73.1", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Thrice-Wrought Halberd is a unique halberd found in the Cabal of Wind Temple in Enmerkar Forest. It deals no physical damage, but does frost and fire damage." + }, + { + "name": "Tiny Aquamarine", + "url": "https://outward.fandom.com/wiki/Tiny_Aquamarine", + "categories": [ + "Gemstone", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "20", + "Object ID": "6200070", + "Sell": "20", + "Type": "Gemstone", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fc/Tiny_Aquamarine.png/revision/latest?cb=20200316064842", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "25%", + "quantity": "1", + "source": "Blue Sand (Gatherable)" + } + ], + "raw_rows": [ + [ + "Blue Sand (Gatherable)", + "1", + "25%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "46.5%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "45.5%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.7%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "41.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "40.5%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "32.1%", + "locations": "Cierzo", + "quantity": "1 - 6", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1 - 10", + "46.5%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "45.5%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.7%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "41.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "40.5%", + "Monsoon" + ], + [ + "Soroborean Caravanner", + "1 - 6", + "32.1%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Captain" + }, + { + "chance": "56.3%", + "quantity": "1 - 2", + "source": "Altered Gargoyle" + }, + { + "chance": "56.3%", + "quantity": "1 - 2", + "source": "Cracked Gargoyle" + }, + { + "chance": "56.3%", + "quantity": "1 - 2", + "source": "Gargoyle" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Gastrocin" + }, + { + "chance": "33.3%", + "quantity": "1", + "source": "Volcanic Gastrocin" + }, + { + "chance": "32.5%", + "quantity": "1 - 6", + "source": "Animated Skeleton (Miner)" + }, + { + "chance": "22.2%", + "quantity": "1", + "source": "Mana Mantis" + }, + { + "chance": "10%", + "quantity": "1", + "source": "Rock Mantis" + }, + { + "chance": "3.6%", + "quantity": "1", + "source": "Mantis Shrimp" + } + ], + "raw_rows": [ + [ + "Bandit Captain", + "1", + "100%" + ], + [ + "Altered Gargoyle", + "1 - 2", + "56.3%" + ], + [ + "Cracked Gargoyle", + "1 - 2", + "56.3%" + ], + [ + "Gargoyle", + "1 - 2", + "56.3%" + ], + [ + "Gastrocin", + "1", + "33.3%" + ], + [ + "Volcanic Gastrocin", + "1", + "33.3%" + ], + [ + "Animated Skeleton (Miner)", + "1 - 6", + "32.5%" + ], + [ + "Mana Mantis", + "1", + "22.2%" + ], + [ + "Rock Mantis", + "1", + "10%" + ], + [ + "Mantis Shrimp", + "1", + "3.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "33.3%", + "locations": "Stone Titan Caves", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "33.3%", + "locations": "Ancient Foundry, Bandit Hideout, Berg, Chersonese, Dead Roots, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Hallowed Marsh, Harmattan, Immaculate's Camp, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Vault of Stone, Vigil Pylon", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "33.3%", + "locations": "Abrassar, Ark of the Exiled, Caldera, Forgotten Research Laboratory, Hive Prison, The Eldest Brother", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "33.3%", + "locations": "Antique Plateau, Hallowed Marsh, Steakosaur's Burrow", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "33.3%", + "locations": "Abandoned Living Quarters, Antique Plateau, Ark of the Exiled, Caldera, Calygrey Colosseum, Heroic Kingdom's Conflux Path, Oil Refinery, Old Sirocco, Sand Rose Cave, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The River of Red, The Tower of Regrets, Troglodyte Warren, Undercity Passage, Underside Loading Dock, Vigil Pylon, Vigil Tomb", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "33.3%", + "locations": "Ancient Hive, Bandit Hideout, Blister Burrow, Blood Mage Hideout, Corrupted Tombs, Crumbling Loading Docks, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "33.3%", + "locations": "Abrassar", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "33.3%", + "locations": "Abandoned Living Quarters, Blue Chamber's Conflux Path, Compromised Mana Transfer Station, Forest Hives, Forgotten Research Laboratory, Royal Manticore's Lair, The Slide", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "33.3%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "33.3%", + "locations": "Jade Quarry", + "quantity": "1", + "source": "Trog Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "33.3%", + "Stone Titan Caves" + ], + [ + "Chest", + "1", + "33.3%", + "Ancient Foundry, Bandit Hideout, Berg, Chersonese, Dead Roots, Destroyed Test Chambers, Enmerkar Forest, Face of the Ancients, Forgotten Research Laboratory, Hallowed Marsh, Harmattan, Immaculate's Camp, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Vault of Stone, Vigil Pylon" + ], + [ + "Corpse", + "1", + "33.3%", + "Abrassar, Ark of the Exiled, Caldera, Forgotten Research Laboratory, Hive Prison, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1", + "33.3%", + "Antique Plateau, Hallowed Marsh, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1", + "33.3%", + "Abandoned Living Quarters, Antique Plateau, Ark of the Exiled, Caldera, Calygrey Colosseum, Heroic Kingdom's Conflux Path, Oil Refinery, Old Sirocco, Sand Rose Cave, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Sulphuric Caverns, The River of Red, The Tower of Regrets, Troglodyte Warren, Undercity Passage, Underside Loading Dock, Vigil Pylon, Vigil Tomb" + ], + [ + "Looter's Corpse", + "1", + "33.3%", + "Ancient Hive, Bandit Hideout, Blister Burrow, Blood Mage Hideout, Corrupted Tombs, Crumbling Loading Docks, Wendigo Lair" + ], + [ + "Ornate Chest", + "1", + "33.3%", + "Abrassar" + ], + [ + "Scavenger's Corpse", + "1", + "33.3%", + "Abandoned Living Quarters, Blue Chamber's Conflux Path, Compromised Mana Transfer Station, Forest Hives, Forgotten Research Laboratory, Royal Manticore's Lair, The Slide" + ], + [ + "Stash", + "1", + "33.3%", + "Monsoon" + ], + [ + "Trog Chest", + "1", + "33.3%", + "Jade Quarry" + ] + ] + } + ], + "description": "Tiny Aquamarine is a gemstone item in Outward." + }, + { + "name": "Toast", + "url": "https://outward.fandom.com/wiki/Toast", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "-", + "Effects": "-", + "Hunger": "10%", + "Object ID": "4100460", + "Perish Time": "6 Days", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/32/Toast.png/revision/latest/scale-to-width-down/70?cb=20190410232921", + "effects": [ + "Restores 10% Hunger" + ], + "recipes": [ + { + "result": "Toast", + "result_count": "1x", + "ingredients": [ + "Bread" + ], + "station": "Campfire", + "source_page": "Toast" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Toast" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Toast" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bread", + "result": "1x Toast", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Toast", + "Bread", + "Campfire" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + } + ], + "description": "Toast is a Food item in Outward." + }, + { + "name": "Tokebakicit", + "url": "https://outward.fandom.com/wiki/Tokebakicit", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "25 25", + "Durability": "250", + "Effects": "Slow DownChill", + "Impact": "20", + "Object ID": "2160235", + "Sell": "600", + "Stamina Cost": "2.8", + "Type": "Two-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6c/Tokebakicit.png/revision/latest/scale-to-width-down/83?cb=20201220075338", + "effects": [ + "Inflicts Chill (40% buildup)", + "Inflicts Slow Down (25% buildup)", + "-20% Fire resistance", + "Lowers the player's temperature by -14 when equipped (equivalent to \"Fresh\" weather)" + ], + "effect_links": [ + "/wiki/Chill", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Tokebakicit", + "result_count": "1x", + "ingredients": [ + "Unusual Knuckles", + "Chromium Shards", + "Bloodroot" + ], + "station": "None", + "source_page": "Tokebakicit" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.8", + "damage": "25 25", + "description": "Four fast punches, right to left", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.64", + "damage": "32.5 32.5", + "description": "Forward-lunging left hook", + "impact": "26", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "32.5 32.5", + "description": "Left dodging, left uppercut", + "impact": "26", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "32.5 32.5", + "description": "Right dodging, right spinning hammer strike", + "impact": "26", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25 25", + "20", + "2.8", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "32.5 32.5", + "26", + "3.64", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "32.5 32.5", + "26", + "3.36", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.5 32.5", + "26", + "3.36", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Unusual Knuckles Chromium Shards Bloodroot", + "result": "1x Tokebakicit", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Tokebakicit", + "Unusual Knuckles Chromium Shards Bloodroot", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Tokebakicit is a Unique type of Weapon in Outward." + }, + { + "name": "Torcrab Egg", + "url": "https://outward.fandom.com/wiki/Torcrab_Egg", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "6", + "DLC": "The Three Brothers", + "Effects": "Health Recovery 1Stamina Recovery 1Indigestion (50% chance)", + "Hunger": "8%", + "Object ID": "4000480", + "Perish Time": "4 Days", + "Sell": "2", + "Type": "Food", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4e/Torcrab_Egg.png/revision/latest/scale-to-width-down/83?cb=20201220075339", + "effects": [ + "Restores 8% Hunger", + "Player receives Health Recovery (level 1)", + "Player receives Stamina Recovery (level 1)", + "Player receives Indigestion (50% chance)" + ], + "recipes": [ + { + "result": "Angel Food Cake", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Egg" + }, + { + "result": "Battered Maize", + "result_count": "1x", + "ingredients": [ + "Maize", + "Torcrab Egg", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Egg" + }, + { + "result": "Cheese Cake", + "result_count": "3x", + "ingredients": [ + "Fresh Cream", + "Fresh Cream", + "Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Egg" + }, + { + "result": "Cipate", + "result_count": "1x", + "ingredients": [ + "Boozu's Meat", + "Salt", + "Egg", + "Flour" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Egg" + }, + { + "result": "Cooked Torcrab Egg", + "result_count": "1x", + "ingredients": [ + "Torcrab Egg" + ], + "station": "Campfire", + "source_page": "Torcrab Egg" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Egg", + "Krimp Nut", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Torcrab Egg" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Egg" + }, + { + "result": "Miner's Omelet", + "result_count": "3x", + "ingredients": [ + "Egg", + "Egg", + "Common Mushroom" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Egg" + }, + { + "result": "Pouding Chomeur", + "result_count": "3x", + "ingredients": [ + "Flour", + "Egg", + "Sugar", + "Boozu's Milk" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Egg" + }, + { + "result": "Pungent Paste", + "result_count": "1x", + "ingredients": [ + "Egg", + "Ochre Spice Beetle", + "Fish" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Egg" + }, + { + "result": "Spiny Meringue", + "result_count": "3x", + "ingredients": [ + "Cactus Fruit", + "Cactus Fruit", + "Egg", + "Larva Egg" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Egg" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "FlourEggSugar", + "result": "3x Angel Food Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "MaizeTorcrab EggSalt", + "result": "1x Battered Maize", + "station": "Cooking Pot" + }, + { + "ingredients": "Fresh CreamFresh CreamEggSugar", + "result": "3x Cheese Cake", + "station": "Cooking Pot" + }, + { + "ingredients": "Boozu's MeatSaltEggFlour", + "result": "1x Cipate", + "station": "Cooking Pot" + }, + { + "ingredients": "Torcrab Egg", + "result": "1x Cooked Torcrab Egg", + "station": "Campfire" + }, + { + "ingredients": "EggKrimp NutWater", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "EggEggCommon Mushroom", + "result": "3x Miner's Omelet", + "station": "Cooking Pot" + }, + { + "ingredients": "FlourEggSugarBoozu's Milk", + "result": "3x Pouding Chomeur", + "station": "Cooking Pot" + }, + { + "ingredients": "EggOchre Spice BeetleFish", + "result": "1x Pungent Paste", + "station": "Cooking Pot" + }, + { + "ingredients": "Cactus FruitCactus FruitEggLarva Egg", + "result": "3x Spiny Meringue", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Angel Food Cake", + "FlourEggSugar", + "Cooking Pot" + ], + [ + "1x Battered Maize", + "MaizeTorcrab EggSalt", + "Cooking Pot" + ], + [ + "3x Cheese Cake", + "Fresh CreamFresh CreamEggSugar", + "Cooking Pot" + ], + [ + "1x Cipate", + "Boozu's MeatSaltEggFlour", + "Cooking Pot" + ], + [ + "1x Cooked Torcrab Egg", + "Torcrab Egg", + "Campfire" + ], + [ + "1x Endurance Potion", + "EggKrimp NutWater", + "Alchemy Kit" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Miner's Omelet", + "EggEggCommon Mushroom", + "Cooking Pot" + ], + [ + "3x Pouding Chomeur", + "FlourEggSugarBoozu's Milk", + "Cooking Pot" + ], + [ + "1x Pungent Paste", + "EggOchre Spice BeetleFish", + "Cooking Pot" + ], + [ + "3x Spiny Meringue", + "Cactus FruitCactus FruitEggLarva Egg", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Torcrab Nest" + }, + { + "chance": "14.3%", + "quantity": "1", + "source": "Fishing/Caldera Pods" + } + ], + "raw_rows": [ + [ + "Torcrab Nest", + "3", + "100%" + ], + [ + "Fishing/Caldera Pods", + "1", + "14.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "43.2%", + "locations": "New Sirocco", + "quantity": "3 - 40", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "3 - 40", + "43.2%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "55.5%", + "quantity": "1 - 4", + "source": "Torcrab" + } + ], + "raw_rows": [ + [ + "Torcrab", + "1 - 4", + "55.5%" + ] + ] + } + ], + "description": "Torcrab Egg is an Item in Outward." + }, + { + "name": "Torcrab Jerky", + "url": "https://outward.fandom.com/wiki/Torcrab_Jerky", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "6", + "DLC": "The Three Brothers", + "Drink": "-9%", + "Effects": "Health Recovery 2Physical Attack Up (Food)", + "Hunger": "15%", + "Object ID": "4100890", + "Perish Time": "16 Days", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/94/Torcrab_Jerky.png/revision/latest/scale-to-width-down/83?cb=20201220075341", + "effects": [ + "Restores 15% Hunger", + "Raises -9% Thirst", + "Player receives Health Recovery (level 2)", + "Player receives Physical Attack Up (Food)" + ], + "recipes": [ + { + "result": "Torcrab Jerky", + "result_count": "3x", + "ingredients": [ + "Raw Torcrab Meat", + "Raw Torcrab Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Jerky" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Jerky" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Jerky" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Jerky" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Jerky" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Jerky" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Jerky" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Torcrab Jerky" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Torcrab Meat Raw Torcrab Meat Salt Salt", + "result": "3x Torcrab Jerky", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Torcrab Jerky", + "Raw Torcrab Meat Raw Torcrab Meat Salt Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Torcrab Jerky is an Item in Outward." + }, + { + "name": "Torcrab Sandwich", + "url": "https://outward.fandom.com/wiki/Torcrab_Sandwich", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "15", + "DLC": "The Three Brothers", + "Effects": "Health Recovery 3Physical Attack UpProtection (Effect)", + "Hunger": "20%", + "Object ID": "4100840", + "Perish Time": "19 Days, 20 Hours", + "Sell": "5", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c1/Torcrab_Sandwich.png/revision/latest/scale-to-width-down/83?cb=20201220075342", + "effects": [ + "Restores 20% Hunger", + "Player receives Health Recovery (level 3)", + "Player receives Physical Attack Up", + "Player receives Protection (Effect) (level 1)" + ], + "effect_links": [ + "/wiki/Protection_(Effect)" + ], + "recipes": [ + { + "result": "Torcrab Sandwich", + "result_count": "3x", + "ingredients": [ + "Salt", + "Bread", + "Raw Torcrab Meat", + "Raw Torcrab Meat" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Sandwich" + }, + { + "result": "Diadème de Gibier", + "result_count": "3x", + "ingredients": [ + "Raw Jewel Meat", + "Meat", + "Cactus Fruit", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Sandwich" + }, + { + "result": "Jerky", + "result_count": "5x", + "ingredients": [ + "Meat", + "Meat", + "Salt", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Sandwich" + }, + { + "result": "Maize Mash", + "result_count": "3x", + "ingredients": [ + "Meat", + "Maize", + "Torcrab Egg", + "Torcrab Egg" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Sandwich" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Sandwich" + }, + { + "result": "Ragoût du Marais", + "result_count": "3x", + "ingredients": [ + "Miasmapod", + "Meat", + "Marshmelon", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Sandwich" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Torcrab Sandwich" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Torcrab Sandwich" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Salt Bread Raw Torcrab Meat Raw Torcrab Meat", + "result": "3x Torcrab Sandwich", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Torcrab Sandwich", + "Salt Bread Raw Torcrab Meat Raw Torcrab Meat", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Raw Jewel MeatMeatCactus FruitSalt", + "result": "3x Diadème de Gibier", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMeatSaltSalt", + "result": "5x Jerky", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatMaizeTorcrab EggTorcrab Egg", + "result": "3x Maize Mash", + "station": "Cooking Pot" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "MiasmapodMeatMarshmelonSalt", + "result": "3x Ragoût du Marais", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Diadème de Gibier", + "Raw Jewel MeatMeatCactus FruitSalt", + "Cooking Pot" + ], + [ + "5x Jerky", + "MeatMeatSaltSalt", + "Cooking Pot" + ], + [ + "3x Maize Mash", + "MeatMaizeTorcrab EggTorcrab Egg", + "Cooking Pot" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Ragoût du Marais", + "MiasmapodMeatMarshmelonSalt", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "22.7%", + "locations": "New Sirocco", + "quantity": "2", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "2", + "22.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Torcrab Sandwich is an Item in Outward." + }, + { + "name": "Tourmaline", + "url": "https://outward.fandom.com/wiki/Tourmaline", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6200170", + "Sell": "60", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/94/Tourmaline.png/revision/latest/scale-to-width-down/83?cb=20200616185628", + "recipes": [ + { + "result": "Apollo Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Fire", + "Monarch Incense" + ], + "station": "Alchemy Kit", + "source_page": "Tourmaline" + }, + { + "result": "Comet Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Decay", + "Cecropia Incense" + ], + "station": "Alchemy Kit", + "source_page": "Tourmaline" + }, + { + "result": "Luna Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Light", + "Admiral Incense" + ], + "station": "Alchemy Kit", + "source_page": "Tourmaline" + }, + { + "result": "Morpho Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Ice", + "Chrysalis Incense" + ], + "station": "Alchemy Kit", + "source_page": "Tourmaline" + }, + { + "result": "Sylphina Incense", + "result_count": "4x", + "ingredients": [ + "Purifying Quartz", + "Tourmaline", + "Elemental Particle – Ether", + "Pale Beauty Incense" + ], + "station": "Alchemy Kit", + "source_page": "Tourmaline" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – FireMonarch Incense", + "result": "4x Apollo Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – DecayCecropia Incense", + "result": "4x Comet Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – LightAdmiral Incense", + "result": "4x Luna Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – IceChrysalis Incense", + "result": "4x Morpho Incense", + "station": "Alchemy Kit" + }, + { + "ingredients": "Purifying QuartzTourmalineElemental Particle – EtherPale Beauty Incense", + "result": "4x Sylphina Incense", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "4x Apollo Incense", + "Purifying QuartzTourmalineElemental Particle – FireMonarch Incense", + "Alchemy Kit" + ], + [ + "4x Comet Incense", + "Purifying QuartzTourmalineElemental Particle – DecayCecropia Incense", + "Alchemy Kit" + ], + [ + "4x Luna Incense", + "Purifying QuartzTourmalineElemental Particle – LightAdmiral Incense", + "Alchemy Kit" + ], + [ + "4x Morpho Incense", + "Purifying QuartzTourmalineElemental Particle – IceChrysalis Incense", + "Alchemy Kit" + ], + [ + "4x Sylphina Incense", + "Purifying QuartzTourmalineElemental Particle – EtherPale Beauty Incense", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "14.3%", + "quantity": "1 - 2", + "source": "Iron Vein (Tourmaline)" + }, + { + "chance": "14.3%", + "quantity": "1 - 2", + "source": "Rich Iron Vein (Tourmaline)" + }, + { + "chance": "12.3%", + "quantity": "1 - 2", + "source": "Rich Iron Vein" + }, + { + "chance": "5.2%", + "quantity": "1", + "source": "Palladium Vein (Tourmaline)" + } + ], + "raw_rows": [ + [ + "Iron Vein (Tourmaline)", + "1 - 2", + "14.3%" + ], + [ + "Rich Iron Vein (Tourmaline)", + "1 - 2", + "14.3%" + ], + [ + "Rich Iron Vein", + "1 - 2", + "12.3%" + ], + [ + "Palladium Vein (Tourmaline)", + "1", + "5.2%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Pholiota/High Stock" + }, + { + "chance": "19.1%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 10", + "source": "Pholiota/High Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "1 - 2", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/High Stock", + "1 - 10", + "19.1%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "89.8%", + "quantity": "1 - 15", + "source": "She Who Speaks" + } + ], + "raw_rows": [ + [ + "She Who Speaks", + "1 - 15", + "89.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Forgotten Research Laboratory", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "100%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Ornate Chest" + }, + { + "chance": "2.8%", + "locations": "Blood Mage Hideout", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.8%", + "locations": "Ark of the Exiled", + "quantity": "1", + "source": "Calygrey Chest" + }, + { + "chance": "2.8%", + "locations": "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "2.8%", + "locations": "Destroyed Test Chambers", + "quantity": "1", + "source": "Corpse" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "2.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "2.8%", + "locations": "Antique Plateau, Blood Mage Hideout", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "2.8%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "100%", + "Forgotten Research Laboratory" + ], + [ + "Ornate Chest", + "1 - 2", + "100%", + "Antique Plateau" + ], + [ + "Adventurer's Corpse", + "1", + "2.8%", + "Blood Mage Hideout" + ], + [ + "Calygrey Chest", + "1", + "2.8%", + "Ark of the Exiled" + ], + [ + "Chest", + "1", + "2.8%", + "Abandoned Storage, Antique Plateau, Corrupted Cave, Crumbling Loading Docks, Harmattan, Immaculate's Camp, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Corpse", + "1", + "2.8%", + "Destroyed Test Chambers" + ], + [ + "Hollowed Trunk", + "1", + "2.8%", + "Antique Plateau" + ], + [ + "Junk Pile", + "1", + "2.8%", + "Abandoned Living Quarters, Abandoned Storage, Ancient Foundry, Antique Plateau, Compromised Mana Transfer Station, Corrupted Cave, Crumbling Loading Docks, Forgotten Research Laboratory, Harmattan, Lost Golem Manufacturing Facility, Old Harmattan Basement, Ruined Warehouse" + ], + [ + "Ornate Chest", + "1", + "2.8%", + "Antique Plateau, Blood Mage Hideout" + ], + [ + "Worker's Corpse", + "1", + "2.8%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Tourmaline is an Item in Outward." + }, + { + "name": "Tower Shield", + "url": "https://outward.fandom.com/wiki/Tower_Shield", + "categories": [ + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "200", + "Class": "Shields", + "Damage": "18", + "Durability": "250", + "Impact": "56", + "Impact Resist": "16%", + "Object ID": "2300040", + "Sell": "60", + "Type": "One-Handed", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/54/Tower_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407065530", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Tower Shield" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "21%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "100%", + "Harmattan" + ], + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Quikiza the Blacksmith", + "1 - 2", + "21%", + "Berg" + ], + [ + "Howard Brock, Blacksmith", + "1 - 4", + "17.6%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit Defender" + } + ], + "raw_rows": [ + [ + "Bandit Defender", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Caldera", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.3%", + "locations": "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.3%", + "locations": "Enmerkar Forest", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5.3%", + "locations": "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "6.2%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "6.2%", + "Caldera" + ], + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Caldera" + ], + [ + "Hollowed Trunk", + "1", + "5.9%", + "Caldera" + ], + [ + "Chest", + "1", + "5.3%", + "Burnt Outpost, Cabal of Wind Temple, Dolmen Crypt, Enmerkar Forest, Face of the Ancients, Forest Hives, Immaculate's Camp, Vigil Pylon" + ], + [ + "Hollowed Trunk", + "1", + "5.3%", + "Enmerkar Forest" + ], + [ + "Ornate Chest", + "1", + "5.3%", + "Ancestor's Resting Place, Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Tower Shield is a type of Shield in Outward." + }, + { + "name": "Toxin Bomb", + "url": "https://outward.fandom.com/wiki/Toxin_Bomb", + "categories": [ + "DLC: The Three Brothers", + "Bomb", + "Items" + ], + "infobox": { + "Buy": "25", + "DLC": "The Three Brothers", + "Effects": "90 Decay damage and 15 ImpactInflicts Plague", + "Object ID": "4600050", + "Sell": "8", + "Type": "Bomb", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8b/Toxin_Bomb.png/revision/latest/scale-to-width-down/83?cb=20201220075343", + "effects": [ + "Explosion deals 90 Decay damage and 15 Impact", + "Inflicts Plague (100% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Toxin Bomb", + "result_count": "1x", + "ingredients": [ + "Bomb Kit", + "Miasmapod", + "Charge – Toxic" + ], + "station": "Alchemy Kit", + "source_page": "Toxin Bomb" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Bomb Kit Miasmapod Charge – Toxic", + "result": "1x Toxin Bomb", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Toxin Bomb", + "Bomb Kit Miasmapod Charge – Toxic", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6 - 8", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "6 - 8", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "4 - 5", + "source": "Virulent Hiveman" + } + ], + "raw_rows": [ + [ + "Virulent Hiveman", + "4 - 5", + "100%" + ] + ] + } + ], + "description": "Toxin Bomb is an Item in Outward." + }, + { + "name": "Trader Backpack", + "url": "https://outward.fandom.com/wiki/Trader_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "250", + "Capacity": "100", + "Class": "Backpacks", + "Durability": "∞", + "Inventory Protection": "2", + "Item Set": "Trader Set", + "Movement Speed": "-10%", + "Object ID": "5300140", + "Preservation Amount": "6%", + "Sell": "75", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b6/Trader_Backpack.png/revision/latest?cb=20190411000033", + "effects": [ + "Slows down the decay of perishable items by 6%.", + "Provides 2 Protection to the Durability of items in the backpack when hit by enemies" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + }, + { + "chance": "57.8%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "Gold Belly", + "1", + "100%", + "Giants' Village" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "1", + "100%", + "Hallowed Marsh" + ], + [ + "David Parks, Craftsman", + "1 - 3", + "57.8%", + "Harmattan" + ] + ] + } + ], + "description": "Trader Backpack is a backpack item in Outward." + }, + { + "name": "Trader Boots", + "url": "https://outward.fandom.com/wiki/Trader_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "20", + "Cold Weather Def.": "3", + "Damage Resist": "4%", + "Durability": "200", + "Impact Resist": "2%", + "Item Set": "Trader Set", + "Object ID": "3000002", + "Sell": "6", + "Slot": "Legs", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/32/Trader_Boots.png/revision/latest?cb=20190415160955", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Trader Boots" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Trader Boots" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Trader Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1", + "100%", + "Cierzo" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "5%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "4.6%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "4%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "4%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "5%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "5%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Broken Tent", + "1", + "4.6%", + "Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "1", + "4%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "4%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "4%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ] + ] + } + ], + "description": "Trader Boots is a type of Armor in Outward." + }, + { + "name": "Trader Garb", + "url": "https://outward.fandom.com/wiki/Trader_Garb", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "35", + "Cold Weather Def.": "6", + "Damage Resist": "8%", + "Durability": "200", + "Impact Resist": "3%", + "Item Set": "Trader Set", + "Object ID": "3000000", + "Pouch Bonus": "8", + "Sell": "11", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0d/Trader_Garb.png/revision/latest?cb=20190415131114", + "recipes": [ + { + "result": "Ergagr'Uk!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Star Mushroom" + ], + "station": "None", + "source_page": "Trader Garb" + }, + { + "result": "Gar'Ga'Nak", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Sulphuric Mushroom" + ], + "station": "None", + "source_page": "Trader Garb" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Trader Garb" + }, + { + "result": "Go'gO", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Nightmare Mushroom" + ], + "station": "None", + "source_page": "Trader Garb" + }, + { + "result": "GorkKrog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Blood Mushroom" + ], + "station": "None", + "source_page": "Trader Garb" + }, + { + "result": "GoulgGalog!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Grilled Mushroom" + ], + "station": "None", + "source_page": "Trader Garb" + }, + { + "result": "Linen Cloth", + "result_count": "3x", + "ingredients": [ + "Basic Armor" + ], + "station": "Decrafting", + "source_page": "Trader Garb" + }, + { + "result": "Makeshift Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Hide", + "Hide" + ], + "station": "None", + "source_page": "Trader Garb" + }, + { + "result": "Scaled Leather Attire", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Trader Garb" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Basic ArmorStar Mushroom", + "result": "1x Ergagr'Uk!", + "station": "None" + }, + { + "ingredients": "Basic ArmorSulphuric Mushroom", + "result": "1x Gar'Ga'Nak", + "station": "None" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Basic ArmorNightmare Mushroom", + "result": "1x Go'gO", + "station": "None" + }, + { + "ingredients": "Basic ArmorBlood Mushroom", + "result": "1x GorkKrog!", + "station": "None" + }, + { + "ingredients": "Basic ArmorGrilled Mushroom", + "result": "1x GoulgGalog!", + "station": "None" + }, + { + "ingredients": "Basic Armor", + "result": "3x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic ArmorHideHide", + "result": "1x Makeshift Leather Attire", + "station": "None" + }, + { + "ingredients": "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Attire", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Ergagr'Uk!", + "Basic ArmorStar Mushroom", + "None" + ], + [ + "1x Gar'Ga'Nak", + "Basic ArmorSulphuric Mushroom", + "None" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Go'gO", + "Basic ArmorNightmare Mushroom", + "None" + ], + [ + "1x GorkKrog!", + "Basic ArmorBlood Mushroom", + "None" + ], + [ + "1x GoulgGalog!", + "Basic ArmorGrilled Mushroom", + "None" + ], + [ + "3x Linen Cloth", + "Basic Armor", + "Decrafting" + ], + [ + "1x Makeshift Leather Attire", + "Basic ArmorHideHide", + "None" + ], + [ + "1x Scaled Leather Attire", + "Basic ArmorScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +5 ProtectionGain +0.1 passive Health regeneration per second", + "enchantment": "Unexpected Resilience" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unexpected Resilience", + "Gain +5 ProtectionGain +0.1 passive Health regeneration per second" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Soroborean Caravanner" + }, + { + "chance": "22.8%", + "locations": "Harmattan", + "quantity": "1 - 3", + "source": "Felix Jimson, Shopkeeper" + } + ], + "raw_rows": [ + [ + "Soroborean Caravanner", + "1", + "100%", + "Cierzo" + ], + [ + "Felix Jimson, Shopkeeper", + "1 - 3", + "22.8%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "16.9%", + "locations": "Under Island", + "quantity": "1 - 4", + "source": "Trog Chest" + }, + { + "chance": "4.6%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "4%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "4%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "4%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "4%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "4%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "4%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Trog Chest" + }, + { + "chance": "3.8%", + "locations": "Antique Plateau", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "3.8%", + "locations": "Harmattan", + "quantity": "1", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Trog Chest", + "1 - 4", + "16.9%", + "Under Island" + ], + [ + "Broken Tent", + "1", + "4.6%", + "Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "1", + "4%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "4%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "4%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "4%", + "Blister Burrow" + ], + [ + "Soldier's Corpse", + "1", + "4%", + "Chersonese, Heroic Kingdom's Conflux Path" + ], + [ + "Trog Chest", + "1", + "4%", + "Blister Burrow" + ], + [ + "Adventurer's Corpse", + "1", + "3.8%", + "Antique Plateau" + ], + [ + "Chest", + "1", + "3.8%", + "Harmattan" + ] + ] + } + ], + "description": "Trader Garb is a type of Armor in Outward." + }, + { + "name": "Trader Set", + "url": "https://outward.fandom.com/wiki/Trader_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "75", + "Cold Weather Def.": "9", + "Damage Resist": "16%", + "Durability": "600", + "Hot Weather Def.": "5", + "Impact Resist": "7%", + "Object ID": "3000001 (Head)3000002 (Legs)3000000 (Chest)", + "Pouch Bonus": "8", + "Sell": "23", + "Slot": "Set", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0c/Trader_set.png/revision/latest/scale-to-width-down/242?cb=20190415213813", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Helmets", + "column_4": "2%", + "column_5": "5", + "column_6": "–", + "durability": "200", + "name": "Straw Hat", + "pouch_bonus": "–", + "resistances": "4%", + "weight": "1.0" + }, + { + "class": "Boots", + "column_4": "2%", + "column_5": "–", + "column_6": "3", + "durability": "200", + "name": "Trader Boots", + "pouch_bonus": "–", + "resistances": "4%", + "weight": "2.0" + }, + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "–", + "column_6": "6", + "durability": "200", + "name": "Trader Garb", + "pouch_bonus": "8", + "resistances": "8%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Straw Hat", + "4%", + "2%", + "5", + "–", + "–", + "200", + "1.0", + "Helmets" + ], + [ + "", + "Trader Boots", + "4%", + "2%", + "–", + "3", + "–", + "200", + "2.0", + "Boots" + ], + [ + "", + "Trader Garb", + "8%", + "3%", + "–", + "6", + "8", + "200", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Column 3", + "Capacity", + "Durability", + "Weight", + "Preservation", + "Inventory Protection", + "Class" + ], + "rows": [ + { + "capacity": "100", + "class": "Backpack", + "column_3": "-10%", + "durability": "∞", + "inventory_protection": "2", + "name": "Trader Backpack", + "preservation": "6%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Trader Backpack", + "-10%", + "100", + "∞", + "8.0", + "6%", + "2", + "Backpack" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Pouch Bonus", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Helmets", + "column_4": "2%", + "column_5": "5", + "column_6": "–", + "durability": "200", + "name": "Straw Hat", + "pouch_bonus": "–", + "resistances": "4%", + "weight": "1.0" + }, + { + "class": "Boots", + "column_4": "2%", + "column_5": "–", + "column_6": "3", + "durability": "200", + "name": "Trader Boots", + "pouch_bonus": "–", + "resistances": "4%", + "weight": "2.0" + }, + { + "class": "Body Armor", + "column_4": "3%", + "column_5": "–", + "column_6": "6", + "durability": "200", + "name": "Trader Garb", + "pouch_bonus": "8", + "resistances": "8%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Straw Hat", + "4%", + "2%", + "5", + "–", + "–", + "200", + "1.0", + "Helmets" + ], + [ + "", + "Trader Boots", + "4%", + "2%", + "–", + "3", + "–", + "200", + "2.0", + "Boots" + ], + [ + "", + "Trader Garb", + "8%", + "3%", + "–", + "6", + "8", + "200", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Column 3", + "Capacity", + "Durability", + "Weight", + "Preservation", + "Inventory Protection", + "Class" + ], + "rows": [ + { + "capacity": "100", + "class": "Backpack", + "column_3": "-10%", + "durability": "∞", + "inventory_protection": "2", + "name": "Trader Backpack", + "preservation": "6%", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Trader Backpack", + "-10%", + "100", + "∞", + "8.0", + "6%", + "2", + "Backpack" + ] + ] + } + ], + "description": "Trader Set is a Set in Outward." + }, + { + "name": "Train Key A", + "url": "https://outward.fandom.com/wiki/Train_Key_A", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600121", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b3/Train_Key_A.png/revision/latest/scale-to-width-down/83?cb=20200621155323", + "description": "Train Key A is an Item in Outward." + }, + { + "name": "Train Key B", + "url": "https://outward.fandom.com/wiki/Train_Key_B", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600080", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/76/Train_Key_B.png/revision/latest/scale-to-width-down/83?cb=20200621155334", + "description": "Train Key B is an Item in Outward." + }, + { + "name": "Travel Ration", + "url": "https://outward.fandom.com/wiki/Travel_Ration", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "—", + "Hunger": "15%", + "Object ID": "4100550", + "Perish Time": "104 Days 4 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e1/Travel_Ration.png/revision/latest/scale-to-width-down/83?cb=20200225134034", + "effects": [ + "Restores 15% Hunger" + ], + "recipes": [ + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Travel Ration" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Travel Ration" + } + ], + "tables": [ + { + "title": "Crafting / Recipes", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration Ingredient Ration Ingredient Salt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration Ingredient Ration Ingredient Salt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration Ingredient Ration Ingredient Salt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration Ingredient Ration Ingredient Salt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "4 - 5", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "7", + "source": "Brad Aberdeen, Chef" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "8", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "9", + "source": "Chef Tenno" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 7", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "5 - 8", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 8", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "7", + "source": "Master-Chef Arago" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "8", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "8", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "5 - 8", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "4 - 8", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "5 - 8", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "5 - 8", + "source": "Shopkeeper Suul" + } + ], + "raw_rows": [ + [ + "Apprentice Ritualist", + "4 - 5", + "100%", + "Ritualist's hut" + ], + [ + "Brad Aberdeen, Chef", + "7", + "100%", + "New Sirocco" + ], + [ + "Chef Iasu", + "8", + "100%", + "Berg" + ], + [ + "Chef Tenno", + "9", + "100%", + "Levant" + ], + [ + "Felix Jimson, Shopkeeper", + "3 - 7", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "5 - 8", + "100%", + "Giants' Village" + ], + [ + "Lawrence Dakers, Hunter", + "3 - 8", + "100%", + "Harmattan" + ], + [ + "Master-Chef Arago", + "7", + "100%", + "Cierzo" + ], + [ + "Ountz the Melon Farmer", + "8", + "100%", + "Monsoon" + ], + [ + "Patrick Arago, General Store", + "8", + "100%", + "New Sirocco" + ], + [ + "Pelletier Baker, Chef", + "5 - 8", + "100%", + "Harmattan" + ], + [ + "Shopkeeper Doran", + "4 - 8", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "5 - 8", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "5 - 8", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "30.2%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "25.9%", + "quantity": "1 - 8", + "source": "Blood Sorcerer" + }, + { + "chance": "25%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "25%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "25%", + "quantity": "1 - 3", + "source": "Roland Argenson" + }, + { + "chance": "23.8%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "23.3%", + "quantity": "1 - 2", + "source": "Bandit" + }, + { + "chance": "23.3%", + "quantity": "1 - 2", + "source": "Bandit Slave" + }, + { + "chance": "23.3%", + "quantity": "1 - 2", + "source": "Baron Montgomery" + }, + { + "chance": "23.3%", + "quantity": "1 - 2", + "source": "Crock" + }, + { + "chance": "23.3%", + "quantity": "1 - 2", + "source": "Dawne" + }, + { + "chance": "23.3%", + "quantity": "1 - 2", + "source": "Rospa Akiyuki" + }, + { + "chance": "23.3%", + "quantity": "1 - 2", + "source": "The Crusher" + }, + { + "chance": "23.3%", + "quantity": "1 - 2", + "source": "The Last Acolyte" + }, + { + "chance": "23.3%", + "quantity": "1 - 2", + "source": "Vendavel Bandit" + } + ], + "raw_rows": [ + [ + "Marsh Archer", + "1 - 4", + "30.2%" + ], + [ + "Blood Sorcerer", + "1 - 8", + "25.9%" + ], + [ + "Bandit Defender", + "1 - 3", + "25%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "25%" + ], + [ + "Roland Argenson", + "1 - 3", + "25%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "23.8%" + ], + [ + "Bandit", + "1 - 2", + "23.3%" + ], + [ + "Bandit Slave", + "1 - 2", + "23.3%" + ], + [ + "Baron Montgomery", + "1 - 2", + "23.3%" + ], + [ + "Crock", + "1 - 2", + "23.3%" + ], + [ + "Dawne", + "1 - 2", + "23.3%" + ], + [ + "Rospa Akiyuki", + "1 - 2", + "23.3%" + ], + [ + "The Crusher", + "1 - 2", + "23.3%" + ], + [ + "The Last Acolyte", + "1 - 2", + "23.3%" + ], + [ + "Vendavel Bandit", + "1 - 2", + "23.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5%", + "locations": "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5%", + "locations": "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair", + "quantity": "1", + "source": "Soldier's Corpse" + }, + { + "chance": "5%", + "locations": "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5%", + "Ancient Hive, Antique Plateau, Blister Burrow, Caldera, Chersonese, Compromised Mana Transfer Station, Destroyed Test Chambers, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Broken Tent", + "1", + "5%", + "Myrmitaur's Haven" + ], + [ + "Chest", + "1", + "5%", + "Berg, Levant, Montcalm Clan Fort, Old Hunter's Cabin, Undercity Passage" + ], + [ + "Junk Pile", + "1", + "5%", + "Berg, Chersonese, Cierzo (Destroyed), Giants' Village, Harmattan, Holy Mission's Conflux Path, Levant, Montcalm Clan Fort, Pirates' Hideout" + ], + [ + "Knight's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Damp Hunter's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Ancient Foundry, Ancient Hive, Bandit Hideout, Blood Mage Hideout, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "1", + "5%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Ruined Warehouse" + ], + [ + "Soldier's Corpse", + "1", + "5%", + "Ancient Hive, Compromised Mana Transfer Station, Dead Roots, Hallowed Marsh, Wendigo Lair" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Bandits' Prison, Cabal of Wind Temple, Dead Roots, Destroyed Test Chambers, Flooded Cellar, Forgotten Research Laboratory, Oil Refinery, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, The Slide, Ziggurat Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Travel Ration is a food item in Outward." + }, + { + "name": "Trinket Handle", + "url": "https://outward.fandom.com/wiki/Trinket_Handle", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "45", + "DLC": "The Three Brothers", + "Object ID": "6000480", + "Sell": "14", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/85/Trinket_Handle.png/revision/latest/scale-to-width-down/83?cb=20201220075345", + "recipes": [ + { + "result": "Astral Chakram", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Trinket Handle" + }, + { + "result": "Astral Dagger", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Spike Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Trinket Handle" + }, + { + "result": "Astral Pistol", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Trinket Handle" + }, + { + "result": "Astral Shield", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Trinket Handle" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Trinket HandleBlade PrismWaning Tentacle", + "result": "1x Astral Chakram", + "station": "None" + }, + { + "ingredients": "Trinket HandleSpike PrismWaning Tentacle", + "result": "1x Astral Dagger", + "station": "None" + }, + { + "ingredients": "Trinket HandleBlunt PrismWaning Tentacle", + "result": "1x Astral Pistol", + "station": "None" + }, + { + "ingredients": "Trinket HandleFlat PrismWaning Tentacle", + "result": "1x Astral Shield", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Chakram", + "Trinket HandleBlade PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Dagger", + "Trinket HandleSpike PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Pistol", + "Trinket HandleBlunt PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Shield", + "Trinket HandleFlat PrismWaning Tentacle", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "13.5%", + "locations": "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "13.5%", + "Ark of the Exiled, Calygrey Colosseum, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Scarlet Sanctuary, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Vault of Stone" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Trinket Handle is an Item in Outward." + }, + { + "name": "Tripwire Trap", + "url": "https://outward.fandom.com/wiki/Tripwire_Trap", + "categories": [ + "Deployable", + "Trap", + "Items" + ], + "infobox": { + "Buy": "4", + "Class": "Deployable", + "Object ID": "5020010", + "Sell": "1", + "Type": "Trap", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/48/Tripwire_Trap.png/revision/latest/scale-to-width-down/83?cb=20190415034540", + "recipes": [ + { + "result": "Tripwire Trap", + "result_count": "2x", + "ingredients": [ + "Iron Scrap", + "Iron Scrap", + "Wood", + "Linen Cloth" + ], + "station": "None", + "source_page": "Tripwire Trap" + } + ], + "tables": [ + { + "title": "Arming", + "headers": [ + "Trap", + "Armed With", + "Effects" + ], + "rows": [ + { + "armed_with": "AxesInsect HuskPredator BonesSwords", + "effects": "35 Physical damage50 ImpactInflicts Bleeding", + "trap": "Bleed Trap" + }, + { + "armed_with": "MacesGauntlets", + "effects": "35 Physical damage120 ImpactInflicts Confusion", + "trap": "Bludgeon Trap" + }, + { + "armed_with": "Coralhorn AntlerShark CartilageThorny Cartilage", + "effects": "60 Physical damage80 ImpactInflicts Extreme Bleeding", + "trap": "Improved Bleed Trap" + }, + { + "armed_with": "Assassin TongueBeast Golem ScrapsSpikes – Palladium", + "effects": "75 Physical damage75 ImpactInflicts Pain", + "trap": "Improved Spike Trap" + }, + { + "armed_with": "Spikes – IronPolearmsSpears", + "effects": "50 Physical damage50 ImpactInflicts Pain", + "trap": "Spike Trap" + }, + { + "armed_with": "Spikes – WoodPrimitive ClubQuarterstaff", + "effects": "25 Physical damage50 Impact", + "trap": "Wood Spike Trap" + } + ], + "raw_rows": [ + [ + "Bleed Trap", + "AxesInsect HuskPredator BonesSwords", + "35 Physical damage50 ImpactInflicts Bleeding" + ], + [ + "Bludgeon Trap", + "MacesGauntlets", + "35 Physical damage120 ImpactInflicts Confusion" + ], + [ + "Improved Bleed Trap", + "Coralhorn AntlerShark CartilageThorny Cartilage", + "60 Physical damage80 ImpactInflicts Extreme Bleeding" + ], + [ + "Improved Spike Trap", + "Assassin TongueBeast Golem ScrapsSpikes – Palladium", + "75 Physical damage75 ImpactInflicts Pain" + ], + [ + "Spike Trap", + "Spikes – IronPolearmsSpears", + "50 Physical damage50 ImpactInflicts Pain" + ], + [ + "Wood Spike Trap", + "Spikes – WoodPrimitive ClubQuarterstaff", + "25 Physical damage50 Impact" + ] + ] + }, + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron Scrap Iron Scrap Wood Linen Cloth", + "result": "2x Tripwire Trap", + "station": "None" + } + ], + "raw_rows": [ + [ + "2x Tripwire Trap", + "Iron Scrap Iron Scrap Wood Linen Cloth", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "15", + "source": "Engineer Orsten" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "4 - 6", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3 - 5", + "source": "Loud-Hammer" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "4", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 4", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "4", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "6", + "source": "Sal Dumas, Blacksmith" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "4", + "source": "Vyzyrinthrix the Blacksmith" + }, + { + "chance": "28.4%", + "locations": "Berg", + "quantity": "1 - 12", + "source": "Shopkeeper Pleel" + }, + { + "chance": "17.6%", + "locations": "Harmattan", + "quantity": "3", + "source": "Howard Brock, Blacksmith" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "2 - 20", + "source": "Patrick Arago, General Store" + }, + { + "chance": "11.4%", + "locations": "Giants' Village", + "quantity": "1 - 3", + "source": "Gold Belly" + }, + { + "chance": "11.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 3", + "source": "Silver-Nose the Trader" + } + ], + "raw_rows": [ + [ + "Engineer Orsten", + "15", + "100%", + "Levant" + ], + [ + "Howard Brock, Blacksmith", + "2 - 4", + "100%", + "Harmattan" + ], + [ + "Lawrence Dakers, Hunter", + "4 - 6", + "100%", + "Harmattan" + ], + [ + "Loud-Hammer", + "3 - 5", + "100%", + "Cierzo" + ], + [ + "Master-Smith Tokuga", + "4", + "100%", + "Levant" + ], + [ + "Patrick Arago, General Store", + "2 - 4", + "100%", + "New Sirocco" + ], + [ + "Quikiza the Blacksmith", + "4", + "100%", + "Berg" + ], + [ + "Sal Dumas, Blacksmith", + "6", + "100%", + "New Sirocco" + ], + [ + "Shopkeeper Suul", + "1 - 2", + "100%", + "Levant" + ], + [ + "Vyzyrinthrix the Blacksmith", + "4", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1 - 12", + "28.4%", + "Berg" + ], + [ + "Howard Brock, Blacksmith", + "3", + "17.6%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "2 - 20", + "12.7%", + "New Sirocco" + ], + [ + "Gold Belly", + "1 - 3", + "11.4%", + "Giants' Village" + ], + [ + "Silver-Nose the Trader", + "1 - 3", + "11.4%", + "Hallowed Marsh" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "33.8%", + "quantity": "1 - 8", + "source": "Marsh Archer Captain" + }, + { + "chance": "31.5%", + "quantity": "1 - 8", + "source": "Bandit Captain" + }, + { + "chance": "31.5%", + "quantity": "1 - 8", + "source": "Mad Captain's Bones" + }, + { + "chance": "30.1%", + "quantity": "1 - 10", + "source": "The Last Acolyte" + }, + { + "chance": "29.8%", + "quantity": "1 - 8", + "source": "Marsh Captain" + }, + { + "chance": "24.4%", + "quantity": "1 - 8", + "source": "Bandit Manhunter" + }, + { + "chance": "22.1%", + "quantity": "2 - 8", + "source": "Bonded Beastmaster" + }, + { + "chance": "20.7%", + "quantity": "2", + "source": "Desert Captain" + }, + { + "chance": "16.4%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "16.1%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "13.9%", + "quantity": "2", + "source": "Kazite Admiral" + }, + { + "chance": "13.9%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant" + }, + { + "chance": "13.6%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "13%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "10.5%", + "quantity": "1 - 3", + "source": "Bandit Defender" + } + ], + "raw_rows": [ + [ + "Marsh Archer Captain", + "1 - 8", + "33.8%" + ], + [ + "Bandit Captain", + "1 - 8", + "31.5%" + ], + [ + "Mad Captain's Bones", + "1 - 8", + "31.5%" + ], + [ + "The Last Acolyte", + "1 - 10", + "30.1%" + ], + [ + "Marsh Captain", + "1 - 8", + "29.8%" + ], + [ + "Bandit Manhunter", + "1 - 8", + "24.4%" + ], + [ + "Bonded Beastmaster", + "2 - 8", + "22.1%" + ], + [ + "Desert Captain", + "2", + "20.7%" + ], + [ + "Kazite Archer", + "1 - 4", + "16.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "16.1%" + ], + [ + "Kazite Admiral", + "2", + "13.9%" + ], + [ + "Kazite Lieutenant", + "1 - 3", + "13.9%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "13.6%" + ], + [ + "Marsh Archer", + "1 - 4", + "13%" + ], + [ + "Bandit Defender", + "1 - 3", + "10.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "51.5%", + "locations": "Caldera", + "quantity": "1 - 9", + "source": "Adventurer's Corpse" + }, + { + "chance": "51.5%", + "locations": "Caldera", + "quantity": "1 - 9", + "source": "Supply Cache" + }, + { + "chance": "41.7%", + "locations": "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh", + "quantity": "1 - 9", + "source": "Supply Cache" + }, + { + "chance": "6.9%", + "locations": "The Slide, Ziggurat Passage", + "quantity": "1 - 3", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery", + "quantity": "1 - 3", + "source": "Chest" + }, + { + "chance": "6.9%", + "locations": "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory", + "quantity": "1 - 3", + "source": "Corpse" + }, + { + "chance": "6.9%", + "locations": "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair", + "quantity": "1 - 3", + "source": "Hollowed Trunk" + }, + { + "chance": "6.9%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage", + "quantity": "1 - 3", + "source": "Junk Pile" + }, + { + "chance": "6.9%", + "locations": "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island", + "quantity": "1 - 3", + "source": "Knight's Corpse" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 2", + "100%", + "Levant" + ], + [ + "Adventurer's Corpse", + "1 - 9", + "51.5%", + "Caldera" + ], + [ + "Supply Cache", + "1 - 9", + "51.5%", + "Caldera" + ], + [ + "Supply Cache", + "1 - 9", + "41.7%", + "Abrassar, Chersonese, Enmerkar Forest, Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "1 - 3", + "6.9%", + "The Slide, Ziggurat Passage" + ], + [ + "Chest", + "1 - 3", + "6.9%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Bandits' Prison, Chersonese, Corsair's Headquarters, Dead Roots, Destroyed Test Chambers, Dock's Storage, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Immaculate's Camp, Jade Quarry, Levant, Mansion's Cellar, Necropolis, Oil Refinery, River's End, Spire of Light, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery" + ], + [ + "Corpse", + "1 - 3", + "6.9%", + "Abrassar, Blister Burrow, Blood Mage Hideout, Destroyed Test Chambers, Forgotten Research Laboratory" + ], + [ + "Hollowed Trunk", + "1 - 3", + "6.9%", + "Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair" + ], + [ + "Junk Pile", + "1 - 3", + "6.9%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Berg, Cabal of Wind Temple, Caldera, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Face of the Ancients, Ghost Pass, Harmattan, Heroic Kingdom's Conflux Path, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Oily Cavern, Old Sirocco, Ruined Outpost, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Slide, Vendavel Fortress, Vigil Pylon, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 3", + "6.9%", + "Captain's Cabin, Corrupted Tombs, Damp Hunter's Cabin, Jade Quarry, The Grotto of Chalcedony, Under Island" + ] + ] + } + ], + "description": "Tripwire Trap is a type of craftable trap in Outward." + }, + { + "name": "Troglodyte Cage Key", + "url": "https://outward.fandom.com/wiki/Troglodyte_Cage_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600170", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e0/Troglodyte_Cage_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155313", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters", + "quantity": "1", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Looter's Corpse", + "1", + "100%", + "Abandoned Living Quarters" + ] + ] + } + ], + "description": "Troglodyte Cage Key is an Item in Outward. Involved in unlocking Pholiota." + }, + { + "name": "Troglodyte Halberd", + "url": "https://outward.fandom.com/wiki/Troglodyte_Halberd", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Spears", + "DLC": "The Soroboreans", + "Damage": "17", + "Durability": "150", + "Impact": "14", + "Item Set": "Troglodyte Set", + "Object ID": "2130082", + "Sell": "6", + "Stamina Cost": "4", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1b/Troglodyte_Halberd.png/revision/latest/scale-to-width-down/83?cb=20200619184326", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4", + "damage": "17", + "description": "Two forward-thrusting stabs", + "impact": "14", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5", + "damage": "23.8", + "description": "Forward-lunging strike", + "impact": "16.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5", + "damage": "22.1", + "description": "Left-sweeping strike, jump back", + "impact": "16.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5", + "damage": "20.4", + "description": "Fast spinning strike from the right", + "impact": "15.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17", + "14", + "4", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "23.8", + "16.8", + "5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "22.1", + "16.8", + "5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.4", + "15.4", + "5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "23.2%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/Low Stock", + "1 - 3", + "23.2%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + } + ], + "description": "Troglodyte Halberd is a type of Weapon in Outward." + }, + { + "name": "Troglodyte Pole Mace", + "url": "https://outward.fandom.com/wiki/Troglodyte_Pole_Mace", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "25", + "Class": "Polearms", + "Damage": "27", + "Durability": "100", + "Effects": "Confusion", + "Impact": "17", + "Item Set": "Troglodyte Set", + "Object ID": "2130081", + "Sell": "8", + "Stamina Cost": "4.4", + "Type": "Halberd", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9d/Troglodyte_Pole_Mace.png/revision/latest?cb=20190412213511", + "effects": [ + "Inflicts Confusion (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Troglodyte Pole Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "25", + "description": "Two wide-sweeping strikes, left to right", + "impact": "17", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.2", + "damage": "35", + "description": "Forward-thrusting strike", + "impact": "20.4", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.2", + "damage": "32.5", + "description": "Wide-sweeping strike from left", + "impact": "20.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.2", + "damage": "30", + "description": "Slow but powerful sweeping strike", + "impact": "18.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "17", + "5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "35", + "20.4", + "6.2", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "32.5", + "20.4", + "6.2", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "30", + "18.7", + "6.2", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "23.2%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 3", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/Low Stock", + "1 - 3", + "23.2%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Troglodyte Knight" + } + ], + "raw_rows": [ + [ + "Troglodyte Knight", + "1", + "100%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Troglodyte Pole Mace is a type of polearm in Outward." + }, + { + "name": "Troglodyte Staff", + "url": "https://outward.fandom.com/wiki/Troglodyte_Staff", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Polearms", + "Damage": "5.5 5.5", + "Durability": "175", + "Impact": "22", + "Item Set": "Troglodyte Set", + "Mana Cost": "-10%", + "Object ID": "2150040", + "Sell": "6", + "Stamina Cost": "5", + "Type": "Staff", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/02/Troglodyte_Staff.png/revision/latest?cb=20190412214441", + "recipes": [ + { + "result": "Mana Stone", + "result_count": "3x", + "ingredients": [ + "Troglodyte Staff" + ], + "station": "None", + "source_page": "Troglodyte Staff" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5", + "damage": "5.5 5.5", + "description": "Two wide-sweeping strikes, left to right", + "impact": "22", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "7.15 7.15", + "description": "Forward-thrusting strike", + "impact": "28.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.25", + "damage": "7.15 7.15", + "description": "Wide-sweeping strike from left", + "impact": "28.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "9.35 9.35", + "description": "Slow but powerful sweeping strike", + "impact": "37.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "5.5 5.5", + "22", + "5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "7.15 7.15", + "28.6", + "6.25", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "7.15 7.15", + "28.6", + "6.25", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "9.35 9.35", + "37.4", + "8.75", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Troglodyte Staff", + "result": "3x Mana Stone", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Mana Stone", + "Troglodyte Staff", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second", + "enchantment": "Inheritance of the Past" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Inheritance of the Past", + "Requires Expanded Library upgrade+3% Movement SpeedRestore +0.1 Mana per second" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Mana Troglodyte" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Troglodyte Archmage" + } + ], + "raw_rows": [ + [ + "Mana Troglodyte", + "1", + "100%" + ], + [ + "Troglodyte Archmage", + "1", + "100%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Troglodyte Staff is a type of Staff in Outward." + }, + { + "name": "Troglodyte Trident", + "url": "https://outward.fandom.com/wiki/Troglodyte_Trident", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Spears", + "Damage": "17", + "Durability": "100", + "Impact": "14", + "Item Set": "Troglodyte Set", + "Object ID": "2130080", + "Sell": "6", + "Stamina Cost": "4", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fa/Troglodyte_Trident.png/revision/latest?cb=20190413070958", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4", + "damage": "17", + "description": "Two forward-thrusting stabs", + "impact": "14", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5", + "damage": "23.8", + "description": "Forward-lunging strike", + "impact": "16.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5", + "damage": "22.1", + "description": "Left-sweeping strike, jump back", + "impact": "16.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5", + "damage": "20.4", + "description": "Fast spinning strike from the right", + "impact": "15.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "17", + "14", + "4", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "23.8", + "16.8", + "5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "22.1", + "16.8", + "5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "20.4", + "15.4", + "5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/Low Stock", + "1", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Troglodyte" + } + ], + "raw_rows": [ + [ + "Troglodyte", + "1", + "100%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Troglodyte Trident is a spear in Outward." + }, + { + "name": "Tsar Armor", + "url": "https://outward.fandom.com/wiki/Tsar_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "1050", + "Damage Resist": "28% 40%", + "Durability": "∞", + "Hot Weather Def.": "10", + "Impact Resist": "23%", + "Item Set": "Tsar Set", + "Made By": "Tokuga (Levant)", + "Movement Speed": "-11%", + "Object ID": "3100140", + "Protection": "6", + "Sell": "349", + "Slot": "Chest", + "Stamina Cost": "6%", + "Weight": "23.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5b/Tsar_Armor.png/revision/latest?cb=20190415131251", + "recipes": [ + { + "result": "Tsar Armor", + "result_count": "1x", + "ingredients": [ + "1000 silver", + "6x Tsar Stone" + ], + "station": "Master-Smith Tokuga", + "source_page": "Tsar Armor" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "1000 silver6x Tsar Stone", + "result": "1x Tsar Armor", + "station": "Master-Smith Tokuga" + } + ], + "raw_rows": [ + [ + "1x Tsar Armor", + "1000 silver6x Tsar Stone", + "Master-Smith Tokuga" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Tsar Armor is a type of Armor in Outward" + }, + { + "name": "Tsar Axe", + "url": "https://outward.fandom.com/wiki/Tsar_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "2000", + "Class": "Axes", + "Damage": "61", + "Durability": "∞", + "Impact": "37", + "Item Set": "Tsar Set", + "Object ID": "2010120", + "Sell": "600", + "Stamina Cost": "6.2", + "Type": "One-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1c/Tsar_Axe.png/revision/latest?cb=20190412201446", + "recipes": [ + { + "result": "Tsar Axe", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Axe" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Tsar Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.2", + "damage": "61", + "description": "Two slashing strikes, right to left", + "impact": "37", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "7.44", + "damage": "79.3", + "description": "Fast, triple-attack strike", + "impact": "48.1", + "input": "Special" + }, + { + "attacks": "2", + "cost": "7.44", + "damage": "79.3", + "description": "Quick double strike", + "impact": "48.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "7.44", + "damage": "79.3", + "description": "Wide-sweeping double strike", + "impact": "48.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "61", + "37", + "6.2", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "79.3", + "48.1", + "7.44", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "79.3", + "48.1", + "7.44", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "79.3", + "48.1", + "7.44", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Axe", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tsar Axe", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Tsar Axe is a type of One-Handed Axe in Outward which boasts the highest physical damage in its weapon class." + }, + { + "name": "Tsar Boots", + "url": "https://outward.fandom.com/wiki/Tsar_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "525", + "Damage Resist": "20% 20%", + "Durability": "∞", + "Hot Weather Def.": "5", + "Impact Resist": "13%", + "Item Set": "Tsar Set", + "Made By": "Tokuga (Levant)", + "Materials": "2x Tsar Stone 300", + "Movement Speed": "-9%", + "Object ID": "3100142", + "Protection": "4", + "Sell": "174", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "17.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/31/Tsar_Boots.png/revision/latest?cb=20190415161204", + "recipes": [ + { + "result": "Tsar Boots", + "result_count": "1x", + "ingredients": [ + "300 silver", + "2x Tsar Stone" + ], + "station": "Master-Smith Tokuga", + "source_page": "Tsar Boots" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "300 silver2x Tsar Stone", + "result": "1x Tsar Boots", + "station": "Master-Smith Tokuga" + } + ], + "raw_rows": [ + [ + "1x Tsar Boots", + "300 silver2x Tsar Stone", + "Master-Smith Tokuga" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Tsar Boots is a type of Boots in Outward." + }, + { + "name": "Tsar Bow", + "url": "https://outward.fandom.com/wiki/Tsar_Bow", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Bows", + "DLC": "The Soroboreans", + "Damage": "50", + "Durability": "∞", + "Impact": "30", + "Item Set": "Tsar Set", + "Object ID": "2200100", + "Sell": "750", + "Stamina Cost": "3.22", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d6/Tsar_Bow.png/revision/latest/scale-to-width-down/83?cb=20200616185629", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Tsar Bow is a type of Weapon in Outward." + }, + { + "name": "Tsar Chakram", + "url": "https://outward.fandom.com/wiki/Tsar_Chakram", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Chakrams", + "DLC": "The Soroboreans", + "Damage": "60", + "Durability": "∞", + "Impact": "48", + "Item Set": "Tsar Set", + "Object ID": "5110097", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ab/Tsar_Chakram.png/revision/latest/scale-to-width-down/83?cb=20200616185630", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + } + ], + "description": "Tsar Chakram is a type of Weapon in Outward." + }, + { + "name": "Tsar Claymore", + "url": "https://outward.fandom.com/wiki/Tsar_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "2500", + "Class": "Swords", + "Damage": "76", + "Durability": "∞", + "Impact": "60", + "Item Set": "Tsar Set", + "Object ID": "2100140", + "Sell": "750", + "Stamina Cost": "8.5", + "Type": "Two-Handed", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d8/Tsar_Claymore.png/revision/latest?cb=20190413075026", + "recipes": [ + { + "result": "Tsar Claymore", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Claymore" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Tsar Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "8.5", + "damage": "76", + "description": "Two slashing strikes, left to right", + "impact": "60", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "11.05", + "damage": "114", + "description": "Overhead downward-thrusting strike", + "impact": "90", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.35", + "damage": "96.14", + "description": "Spinning strike from the right", + "impact": "66", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.35", + "damage": "96.14", + "description": "Spinning strike from the left", + "impact": "66", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "76", + "60", + "8.5", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "114", + "90", + "11.05", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "96.14", + "66", + "9.35", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "96.14", + "66", + "9.35", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Claymore", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tsar Claymore", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Tsar Claymore is a type of Two-Handed Sword in Outward which has the highest physical damage in its weapon class, but the slowest Attack Speed." + }, + { + "name": "Tsar Fists", + "url": "https://outward.fandom.com/wiki/Tsar_Fists", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "2000", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "54", + "Durability": "∞", + "Impact": "26", + "Item Set": "Tsar Set", + "Object ID": "2160100", + "Sell": "600", + "Stamina Cost": "3.08", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d3/Tsar_Fists.png/revision/latest/scale-to-width-down/83?cb=20200616185631", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "3.08", + "damage": "54", + "description": "Four fast punches, right to left", + "impact": "26", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "4", + "damage": "70.2", + "description": "Forward-lunging left hook", + "impact": "33.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.7", + "damage": "70.2", + "description": "Left dodging, left uppercut", + "impact": "33.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.7", + "damage": "70.2", + "description": "Right dodging, right spinning hammer strike", + "impact": "33.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "54", + "26", + "3.08", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "70.2", + "33.8", + "4", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "70.2", + "33.8", + "3.7", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "70.2", + "33.8", + "3.7", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Tsar Fists is a type of Weapon in Outward." + }, + { + "name": "Tsar Greataxe", + "url": "https://outward.fandom.com/wiki/Tsar_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "2500", + "Class": "Axes", + "Damage": "79", + "Durability": "∞", + "Impact": "55", + "Item Set": "Tsar Set", + "Object ID": "2110090", + "Sell": "750", + "Stamina Cost": "8.5", + "Type": "Two-Handed", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/ad/Tsar_Greataxe.png/revision/latest?cb=20190412202841", + "recipes": [ + { + "result": "Tsar Greataxe", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Greataxe" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Tsar Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "8.5", + "damage": "79", + "description": "Two slashing strikes, left to right", + "impact": "55", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "11.69", + "damage": "102.7", + "description": "Uppercut strike into right sweep strike", + "impact": "71.5", + "input": "Special" + }, + { + "attacks": "2", + "cost": "11.69", + "damage": "102.7", + "description": "Left-spinning double strike", + "impact": "71.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "11.48", + "damage": "102.7", + "description": "Right-spinning double strike", + "impact": "71.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "79", + "55", + "8.5", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "102.7", + "71.5", + "11.69", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "102.7", + "71.5", + "11.69", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "102.7", + "71.5", + "11.48", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Greataxe", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tsar Greataxe", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "The Tsar Greataxe is a two-handed axe in Outward. It boasts the highest base damage of any melee weapon available to players." + }, + { + "name": "Tsar Greathammer", + "url": "https://outward.fandom.com/wiki/Tsar_Greathammer", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "2500", + "Class": "Maces", + "Damage": "73", + "Durability": "∞", + "Impact": "71", + "Item Set": "Tsar Set", + "Object ID": "2120130", + "Sell": "750", + "Stamina Cost": "8.5", + "Type": "Two-Handed", + "Weight": "11.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3c/Tsar_Greathammer.png/revision/latest?cb=20190412212546", + "recipes": [ + { + "result": "Tsar Greathammer", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Greathammer" + }, + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Tsar Greathammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "8.5", + "damage": "73", + "description": "Two slashing strikes, left to right", + "impact": "71", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10.2", + "damage": "54.75", + "description": "Blunt strike with high impact", + "impact": "142", + "input": "Special" + }, + { + "attacks": "1", + "cost": "10.2", + "damage": "102.2", + "description": "Powerful overhead strike", + "impact": "99.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "10.2", + "damage": "102.2", + "description": "Forward-running uppercut strike", + "impact": "99.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "73", + "71", + "8.5", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "54.75", + "142", + "10.2", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "102.2", + "99.4", + "10.2", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "102.2", + "99.4", + "10.2", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Greathammer", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tsar Greathammer", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Tsar Greathammer is a type of Two-Handed Mace in Outward which boasts the highest physical damage in its weapon class." + }, + { + "name": "Tsar Halberd", + "url": "https://outward.fandom.com/wiki/Tsar_Halberd", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "2500", + "Class": "Polearms", + "Damage": "67", + "Durability": "∞", + "Impact": "62", + "Item Set": "Tsar Set", + "Object ID": "2140110", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Halberd", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b5/Tsar_Halberd.png/revision/latest?cb=20190412213555", + "recipes": [ + { + "result": "Tsar Halberd", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Halberd" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Tsar Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "67", + "description": "Two wide-sweeping strikes, left to right", + "impact": "62", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.63", + "damage": "87.1", + "description": "Forward-thrusting strike", + "impact": "80.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.63", + "damage": "87.1", + "description": "Wide-sweeping strike from left", + "impact": "80.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "13.48", + "damage": "113.9", + "description": "Slow but powerful sweeping strike", + "impact": "105.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "67", + "62", + "7.7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "87.1", + "80.6", + "9.63", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "87.1", + "80.6", + "9.63", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "113.9", + "105.4", + "13.48", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Halberd", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tsar Halberd", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Tsar Halberd is a type of Polearm in Outward which boasts the highest physical damage in its weapon class." + }, + { + "name": "Tsar Helm", + "url": "https://outward.fandom.com/wiki/Tsar_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "525", + "Damage Resist": "20% 20%", + "Durability": "∞", + "Hot Weather Def.": "5", + "Impact Resist": "13%", + "Item Set": "Tsar Set", + "Made By": "Tokuga (Levant)", + "Mana Cost": "15%", + "Materials": "3x Tsar Stone 500", + "Movement Speed": "-9%", + "Object ID": "3100141", + "Protection": "4", + "Sell": "158", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "13.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/77/Tsar_Helm.png/revision/latest?cb=20190407195347", + "recipes": [ + { + "result": "Tsar Helm", + "result_count": "1x", + "ingredients": [ + "500 silver", + "3x Tsar Stone" + ], + "station": "Master-Smith Tokuga", + "source_page": "Tsar Helm" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "500 silver3x Tsar Stone", + "result": "1x Tsar Helm", + "station": "Master-Smith Tokuga" + } + ], + "raw_rows": [ + [ + "1x Tsar Helm", + "500 silver3x Tsar Stone", + "Master-Smith Tokuga" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Tsar Helm is a type of Armor in Outward." + }, + { + "name": "Tsar Mace", + "url": "https://outward.fandom.com/wiki/Tsar_Mace", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "2000", + "Class": "Maces", + "Damage": "70", + "Durability": "∞", + "Impact": "57", + "Item Set": "Tsar Set", + "Object ID": "2020120", + "Sell": "600", + "Stamina Cost": "6.2", + "Type": "One-Handed", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0d/Tsar_Mace.png/revision/latest?cb=20190412211717", + "recipes": [ + { + "result": "Tsar Mace", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Mace" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Tsar Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.2", + "damage": "70", + "description": "Two wide-sweeping strikes, right to left", + "impact": "57", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.06", + "damage": "91", + "description": "Slow, overhead strike with high impact", + "impact": "142.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.06", + "damage": "91", + "description": "Fast, forward-thrusting strike", + "impact": "74.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.06", + "damage": "91", + "description": "Fast, forward-thrusting strike", + "impact": "74.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "70", + "57", + "6.2", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "91", + "142.5", + "8.06", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "91", + "74.1", + "8.06", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "91", + "74.1", + "8.06", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Mace", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tsar Mace", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Tsar Mace is a type of One-Handed Mace in Outward which boasts the highest physical damage in its weapon class, although it also has the shortest reach." + }, + { + "name": "Tsar Set", + "url": "https://outward.fandom.com/wiki/Tsar_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "2100", + "Damage Resist": "68% 80%", + "Durability": "0", + "Hot Weather Def.": "20", + "Impact Resist": "49%", + "Mana Cost": "15%", + "Movement Speed": "-29%", + "Object ID": "3100140 (Chest)3100142 (Legs)3100141 (Head)", + "Protection": "14", + "Sell": "681", + "Slot": "Set", + "Stamina Cost": "14%", + "Weight": "53.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/85/Tsar_set.png/revision/latest/scale-to-width-down/242?cb=20190415213818", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "23%", + "column_5": "6", + "column_6": "10", + "column_7": "6%", + "column_8": "–", + "column_9": "-11%", + "durability": "∞", + "name": "Tsar Armor", + "resistances": "28% 40%", + "weight": "23.0" + }, + { + "class": "Boots", + "column_4": "13%", + "column_5": "4", + "column_6": "5", + "column_7": "4%", + "column_8": "–", + "column_9": "-9%", + "durability": "∞", + "name": "Tsar Boots", + "resistances": "20% 20%", + "weight": "17.0" + }, + { + "class": "Helmets", + "column_4": "13%", + "column_5": "4", + "column_6": "5", + "column_7": "4%", + "column_8": "15%", + "column_9": "-9%", + "durability": "∞", + "name": "Tsar Helm", + "resistances": "20% 20%", + "weight": "13.0" + } + ], + "raw_rows": [ + [ + "", + "Tsar Armor", + "28% 40%", + "23%", + "6", + "10", + "6%", + "–", + "-11%", + "∞", + "23.0", + "Body Armor" + ], + [ + "", + "Tsar Boots", + "20% 20%", + "13%", + "4", + "5", + "4%", + "–", + "-9%", + "∞", + "17.0", + "Boots" + ], + [ + "", + "Tsar Helm", + "20% 20%", + "13%", + "4", + "5", + "4%", + "15%", + "-9%", + "∞", + "13.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "37", + "column_6": "6.2", + "damage": "61", + "durability": "∞", + "name": "Tsar Axe", + "resist": "–", + "speed": "0.8", + "weight": "8.0" + }, + { + "class": "Bow", + "column_4": "30", + "column_6": "3.22", + "damage": "50", + "durability": "∞", + "name": "Tsar Bow", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "Chakram", + "column_4": "48", + "column_6": "–", + "damage": "60", + "durability": "∞", + "name": "Tsar Chakram", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Sword", + "column_4": "60", + "column_6": "8.5", + "damage": "76", + "durability": "∞", + "name": "Tsar Claymore", + "resist": "–", + "speed": "0.8", + "weight": "9.0" + }, + { + "class": "2H Gauntlet", + "column_4": "26", + "column_6": "3.08", + "damage": "54", + "durability": "∞", + "name": "Tsar Fists", + "resist": "–", + "speed": "0.8", + "weight": "5.0" + }, + { + "class": "2H Axe", + "column_4": "55", + "column_6": "8.5", + "damage": "79", + "durability": "∞", + "name": "Tsar Greataxe", + "resist": "–", + "speed": "0.8", + "weight": "10.0" + }, + { + "class": "2H Mace", + "column_4": "71", + "column_6": "8.5", + "damage": "73", + "durability": "∞", + "name": "Tsar Greathammer", + "resist": "–", + "speed": "0.8", + "weight": "11.0" + }, + { + "class": "Halberd", + "column_4": "62", + "column_6": "7.7", + "damage": "67", + "durability": "∞", + "name": "Tsar Halberd", + "resist": "–", + "speed": "0.8", + "weight": "10.0" + }, + { + "class": "1H Mace", + "column_4": "57", + "column_6": "6.2", + "damage": "70", + "durability": "∞", + "name": "Tsar Mace", + "resist": "–", + "speed": "0.8", + "weight": "9.0" + }, + { + "class": "Shield", + "column_4": "66", + "column_6": "–", + "damage": "41", + "durability": "∞", + "name": "Tsar Shield", + "resist": "22%", + "speed": "1.0", + "weight": "10.0" + }, + { + "class": "Spear", + "column_4": "39", + "column_6": "6.16", + "damage": "76", + "durability": "∞", + "name": "Tsar Spear", + "resist": "–", + "speed": "0.8", + "weight": "9.0" + }, + { + "class": "1H Sword", + "column_4": "35", + "column_6": "5.39", + "damage": "57", + "durability": "∞", + "name": "Tsar Sword", + "resist": "–", + "speed": "0.8", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Tsar Axe", + "61", + "37", + "–", + "6.2", + "0.8", + "∞", + "8.0", + "1H Axe" + ], + [ + "", + "Tsar Bow", + "50", + "30", + "–", + "3.22", + "1.0", + "∞", + "7.0", + "Bow" + ], + [ + "", + "Tsar Chakram", + "60", + "48", + "–", + "–", + "1.0", + "∞", + "1.0", + "Chakram" + ], + [ + "", + "Tsar Claymore", + "76", + "60", + "–", + "8.5", + "0.8", + "∞", + "9.0", + "2H Sword" + ], + [ + "", + "Tsar Fists", + "54", + "26", + "–", + "3.08", + "0.8", + "∞", + "5.0", + "2H Gauntlet" + ], + [ + "", + "Tsar Greataxe", + "79", + "55", + "–", + "8.5", + "0.8", + "∞", + "10.0", + "2H Axe" + ], + [ + "", + "Tsar Greathammer", + "73", + "71", + "–", + "8.5", + "0.8", + "∞", + "11.0", + "2H Mace" + ], + [ + "", + "Tsar Halberd", + "67", + "62", + "–", + "7.7", + "0.8", + "∞", + "10.0", + "Halberd" + ], + [ + "", + "Tsar Mace", + "70", + "57", + "–", + "6.2", + "0.8", + "∞", + "9.0", + "1H Mace" + ], + [ + "", + "Tsar Shield", + "41", + "66", + "22%", + "–", + "1.0", + "∞", + "10.0", + "Shield" + ], + [ + "", + "Tsar Spear", + "76", + "39", + "–", + "6.16", + "0.8", + "∞", + "9.0", + "Spear" + ], + [ + "", + "Tsar Sword", + "57", + "35", + "–", + "5.39", + "0.8", + "∞", + "8.0", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "23%", + "column_5": "6", + "column_6": "10", + "column_7": "6%", + "column_8": "–", + "column_9": "-11%", + "durability": "∞", + "name": "Tsar Armor", + "resistances": "28% 40%", + "weight": "23.0" + }, + { + "class": "Boots", + "column_4": "13%", + "column_5": "4", + "column_6": "5", + "column_7": "4%", + "column_8": "–", + "column_9": "-9%", + "durability": "∞", + "name": "Tsar Boots", + "resistances": "20% 20%", + "weight": "17.0" + }, + { + "class": "Helmets", + "column_4": "13%", + "column_5": "4", + "column_6": "5", + "column_7": "4%", + "column_8": "15%", + "column_9": "-9%", + "durability": "∞", + "name": "Tsar Helm", + "resistances": "20% 20%", + "weight": "13.0" + } + ], + "raw_rows": [ + [ + "", + "Tsar Armor", + "28% 40%", + "23%", + "6", + "10", + "6%", + "–", + "-11%", + "∞", + "23.0", + "Body Armor" + ], + [ + "", + "Tsar Boots", + "20% 20%", + "13%", + "4", + "5", + "4%", + "–", + "-9%", + "∞", + "17.0", + "Boots" + ], + [ + "", + "Tsar Helm", + "20% 20%", + "13%", + "4", + "5", + "4%", + "15%", + "-9%", + "∞", + "13.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "37", + "column_6": "6.2", + "damage": "61", + "durability": "∞", + "name": "Tsar Axe", + "resist": "–", + "speed": "0.8", + "weight": "8.0" + }, + { + "class": "Bow", + "column_4": "30", + "column_6": "3.22", + "damage": "50", + "durability": "∞", + "name": "Tsar Bow", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "Chakram", + "column_4": "48", + "column_6": "–", + "damage": "60", + "durability": "∞", + "name": "Tsar Chakram", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Sword", + "column_4": "60", + "column_6": "8.5", + "damage": "76", + "durability": "∞", + "name": "Tsar Claymore", + "resist": "–", + "speed": "0.8", + "weight": "9.0" + }, + { + "class": "2H Gauntlet", + "column_4": "26", + "column_6": "3.08", + "damage": "54", + "durability": "∞", + "name": "Tsar Fists", + "resist": "–", + "speed": "0.8", + "weight": "5.0" + }, + { + "class": "2H Axe", + "column_4": "55", + "column_6": "8.5", + "damage": "79", + "durability": "∞", + "name": "Tsar Greataxe", + "resist": "–", + "speed": "0.8", + "weight": "10.0" + }, + { + "class": "2H Mace", + "column_4": "71", + "column_6": "8.5", + "damage": "73", + "durability": "∞", + "name": "Tsar Greathammer", + "resist": "–", + "speed": "0.8", + "weight": "11.0" + }, + { + "class": "Halberd", + "column_4": "62", + "column_6": "7.7", + "damage": "67", + "durability": "∞", + "name": "Tsar Halberd", + "resist": "–", + "speed": "0.8", + "weight": "10.0" + }, + { + "class": "1H Mace", + "column_4": "57", + "column_6": "6.2", + "damage": "70", + "durability": "∞", + "name": "Tsar Mace", + "resist": "–", + "speed": "0.8", + "weight": "9.0" + }, + { + "class": "Shield", + "column_4": "66", + "column_6": "–", + "damage": "41", + "durability": "∞", + "name": "Tsar Shield", + "resist": "22%", + "speed": "1.0", + "weight": "10.0" + }, + { + "class": "Spear", + "column_4": "39", + "column_6": "6.16", + "damage": "76", + "durability": "∞", + "name": "Tsar Spear", + "resist": "–", + "speed": "0.8", + "weight": "9.0" + }, + { + "class": "1H Sword", + "column_4": "35", + "column_6": "5.39", + "damage": "57", + "durability": "∞", + "name": "Tsar Sword", + "resist": "–", + "speed": "0.8", + "weight": "8.0" + } + ], + "raw_rows": [ + [ + "", + "Tsar Axe", + "61", + "37", + "–", + "6.2", + "0.8", + "∞", + "8.0", + "1H Axe" + ], + [ + "", + "Tsar Bow", + "50", + "30", + "–", + "3.22", + "1.0", + "∞", + "7.0", + "Bow" + ], + [ + "", + "Tsar Chakram", + "60", + "48", + "–", + "–", + "1.0", + "∞", + "1.0", + "Chakram" + ], + [ + "", + "Tsar Claymore", + "76", + "60", + "–", + "8.5", + "0.8", + "∞", + "9.0", + "2H Sword" + ], + [ + "", + "Tsar Fists", + "54", + "26", + "–", + "3.08", + "0.8", + "∞", + "5.0", + "2H Gauntlet" + ], + [ + "", + "Tsar Greataxe", + "79", + "55", + "–", + "8.5", + "0.8", + "∞", + "10.0", + "2H Axe" + ], + [ + "", + "Tsar Greathammer", + "73", + "71", + "–", + "8.5", + "0.8", + "∞", + "11.0", + "2H Mace" + ], + [ + "", + "Tsar Halberd", + "67", + "62", + "–", + "7.7", + "0.8", + "∞", + "10.0", + "Halberd" + ], + [ + "", + "Tsar Mace", + "70", + "57", + "–", + "6.2", + "0.8", + "∞", + "9.0", + "1H Mace" + ], + [ + "", + "Tsar Shield", + "41", + "66", + "22%", + "–", + "1.0", + "∞", + "10.0", + "Shield" + ], + [ + "", + "Tsar Spear", + "76", + "39", + "–", + "6.16", + "0.8", + "∞", + "9.0", + "Spear" + ], + [ + "", + "Tsar Sword", + "57", + "35", + "–", + "5.39", + "0.8", + "∞", + "8.0", + "1H Sword" + ] + ] + } + ], + "description": "The Tsar Set is a heavy armor set which can be commissioned from Tokuga in Levant for a total price of 11x Tsar Stone and 1800 ." + }, + { + "name": "Tsar Shield", + "url": "https://outward.fandom.com/wiki/Tsar_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Shields", + "Damage": "41", + "Durability": "∞", + "Impact": "66", + "Impact Resist": "22%", + "Item Set": "Tsar Set", + "Object ID": "2300190", + "Sell": "600", + "Type": "One-Handed", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f0/Tsar_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407070712", + "recipes": [ + { + "result": "Tsar Shield", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "2x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Shield" + }, + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Tsar Shield" + } + ], + "tables": [ + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "1x Tsar Stone1x Hackmanite2x Palladium Scrap", + "result": "1x Tsar Shield", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tsar Shield", + "1x Tsar Stone1x Hackmanite2x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Tsar Shield is a type of Shield in Outward." + }, + { + "name": "Tsar Spear", + "url": "https://outward.fandom.com/wiki/Tsar_Spear", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "2500", + "Class": "Spears", + "Damage": "76", + "Durability": "∞", + "Impact": "39", + "Item Set": "Tsar Set", + "Object ID": "2130150", + "Sell": "750", + "Stamina Cost": "6.16", + "Type": "Two-Handed", + "Weight": "9.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/63/Tsar_Spear.png/revision/latest?cb=20190413071030", + "recipes": [ + { + "result": "Tsar Spear", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Spear" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Tsar Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.16", + "damage": "76", + "description": "Two forward-thrusting stabs", + "impact": "39", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.7", + "damage": "106.4", + "description": "Forward-lunging strike", + "impact": "46.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.7", + "damage": "98.8", + "description": "Left-sweeping strike, jump back", + "impact": "46.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.7", + "damage": "91.2", + "description": "Fast spinning strike from the right", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "76", + "39", + "6.16", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "106.4", + "46.8", + "7.7", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "98.8", + "46.8", + "7.7", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "91.2", + "42.9", + "7.7", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Spear", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tsar Spear", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Tsar Spear is a type of Spear in Outward which boasts the highest physical damage in its weapon class." + }, + { + "name": "Tsar Stone", + "url": "https://outward.fandom.com/wiki/Tsar_Stone", + "categories": [ + "Gemstone", + "Items", + "Valuable" + ], + "infobox": { + "Buy": "0", + "Object ID": "6200010", + "Sell": "0", + "Type": "Gemstone", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9c/Tsar_Stone.png/revision/latest/scale-to-width-down/83?cb=20190422205048", + "recipes": [ + { + "result": "Tsar Armor", + "result_count": "1x", + "ingredients": [ + "1000 silver", + "6x Tsar Stone" + ], + "station": "Master-Smith Tokuga", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Axe", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Boots", + "result_count": "1x", + "ingredients": [ + "300 silver", + "2x Tsar Stone" + ], + "station": "Master-Smith Tokuga", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Claymore", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Greataxe", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Greathammer", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Halberd", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Helm", + "result_count": "1x", + "ingredients": [ + "500 silver", + "3x Tsar Stone" + ], + "station": "Master-Smith Tokuga", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Mace", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Shield", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "2x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Spear", + "result_count": "1x", + "ingredients": [ + "2x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Stone" + }, + { + "result": "Tsar Sword", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Stone" + } + ], + "tables": [ + { + "title": "Uses", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "1000 silver6x Tsar Stone", + "result": "1x Tsar Armor", + "station": "Master-Smith Tokuga" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Axe", + "station": "Plague Doctor" + }, + { + "ingredients": "300 silver2x Tsar Stone", + "result": "1x Tsar Boots", + "station": "Master-Smith Tokuga" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Claymore", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Greataxe", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Greathammer", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Halberd", + "station": "Plague Doctor" + }, + { + "ingredients": "500 silver3x Tsar Stone", + "result": "1x Tsar Helm", + "station": "Master-Smith Tokuga" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Mace", + "station": "Plague Doctor" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite2x Palladium Scrap", + "result": "1x Tsar Shield", + "station": "Plague Doctor" + }, + { + "ingredients": "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Spear", + "station": "Plague Doctor" + }, + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Sword", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tsar Armor", + "1000 silver6x Tsar Stone", + "Master-Smith Tokuga" + ], + [ + "1x Tsar Axe", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Boots", + "300 silver2x Tsar Stone", + "Master-Smith Tokuga" + ], + [ + "1x Tsar Claymore", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Greataxe", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Greathammer", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Halberd", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Helm", + "500 silver3x Tsar Stone", + "Master-Smith Tokuga" + ], + [ + "1x Tsar Mace", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Shield", + "1x Tsar Stone1x Hackmanite2x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Spear", + "2x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ], + [ + "1x Tsar Sword", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + } + ], + "description": "Tsar Stone is an extremely rare crafting item in Outward. Tsar stones cannot be purchased from merchants nor mined in the world. Instead, they are a unique resource that can only be obtained by completing specific tasks, such as hidden interactions in the world or Quests." + }, + { + "name": "Tsar Sword", + "url": "https://outward.fandom.com/wiki/Tsar_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "2000", + "Class": "Swords", + "Damage": "57", + "Durability": "∞", + "Impact": "35", + "Item Set": "Tsar Set", + "Object ID": "2000160", + "Sell": "600", + "Stamina Cost": "5.39", + "Type": "One-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/92/Tsar_Sword.png/revision/latest?cb=20190413072951", + "recipes": [ + { + "result": "Tsar Sword", + "result_count": "1x", + "ingredients": [ + "1x Tsar Stone", + "1x Hackmanite", + "1x Palladium Scrap" + ], + "station": "Plague Doctor", + "source_page": "Tsar Sword" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Tsar Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.39", + "damage": "57", + "description": "Two slash attacks, left to right", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.47", + "damage": "85.22", + "description": "Forward-thrusting strike", + "impact": "45.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.93", + "damage": "72.1", + "description": "Heavy left-lunging strike", + "impact": "38.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.93", + "damage": "72.1", + "description": "Heavy right-lunging strike", + "impact": "38.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "57", + "35", + "5.39", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "85.22", + "45.5", + "6.47", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "72.1", + "38.5", + "5.93", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "72.1", + "38.5", + "5.93", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "result": "1x Tsar Sword", + "station": "Plague Doctor" + } + ], + "raw_rows": [ + [ + "1x Tsar Sword", + "1x Tsar Stone1x Hackmanite1x Palladium Scrap", + "Plague Doctor" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Tsar Sword is a type of One-Handed Sword in Outward which has the highest physical damage of any sword, but with the slowest Attack Speed." + }, + { + "name": "Tuanosaur Axe", + "url": "https://outward.fandom.com/wiki/Tuanosaur_Axe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "450", + "Class": "Axes", + "Damage": "34", + "Durability": "250", + "Effects": "Extreme Bleeding", + "Impact": "36", + "Object ID": "2010090", + "Sell": "135", + "Stamina Cost": "5.4", + "Type": "One-Handed", + "Weight": "3.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/79/Tuanosaur_Axe.png/revision/latest?cb=20190412201730", + "effects": [ + "Inflicts Extreme Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Extreme_Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Tuanosaur Axe", + "result_count": "1x", + "ingredients": [ + "Palladium Scrap", + "Brutal Axe", + "Alpha Tuanosaur Tail" + ], + "station": "None", + "source_page": "Tuanosaur Axe" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Tuanosaur Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.4", + "damage": "34", + "description": "Two slashing strikes, right to left", + "impact": "36", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.48", + "damage": "44.2", + "description": "Fast, triple-attack strike", + "impact": "46.8", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.48", + "damage": "44.2", + "description": "Quick double strike", + "impact": "46.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.48", + "damage": "44.2", + "description": "Wide-sweeping double strike", + "impact": "46.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34", + "36", + "5.4", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "44.2", + "46.8", + "6.48", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "44.2", + "46.8", + "6.48", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "44.2", + "46.8", + "6.48", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Palladium Scrap Brutal Axe Alpha Tuanosaur Tail", + "result": "1x Tuanosaur Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Tuanosaur Axe", + "Palladium Scrap Brutal Axe Alpha Tuanosaur Tail", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Tuanosaur Axe is a one-handed axe in Outward." + }, + { + "name": "Tuanosaur Greataxe", + "url": "https://outward.fandom.com/wiki/Tuanosaur_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "1125", + "Class": "Axes", + "Damage": "44", + "Durability": "300", + "Effects": "Extreme Bleeding", + "Impact": "45", + "Object ID": "2110060", + "Sell": "338", + "Stamina Cost": "7.4", + "Type": "Two-Handed", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/be/Tuanosaur_Greataxe.png/revision/latest?cb=20190412202806", + "effects": [ + "Inflicts Extreme Bleeding (45% buildup)" + ], + "effect_links": [ + "/wiki/Extreme_Bleeding", + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Tuanosaur Greataxe", + "result_count": "1x", + "ingredients": [ + "Brutal Greataxe", + "Alpha Tuanosaur Tail", + "Alpha Tuanosaur Tail", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Tuanosaur Greataxe" + }, + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Tuanosaur Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.4", + "damage": "44", + "description": "Two slashing strikes, left to right", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.18", + "damage": "57.2", + "description": "Uppercut strike into right sweep strike", + "impact": "58.5", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.18", + "damage": "57.2", + "description": "Left-spinning double strike", + "impact": "58.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.99", + "damage": "57.2", + "description": "Right-spinning double strike", + "impact": "58.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "44", + "45", + "7.4", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "57.2", + "58.5", + "10.18", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "57.2", + "58.5", + "10.18", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "57.2", + "58.5", + "9.99", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Brutal Greataxe Alpha Tuanosaur Tail Alpha Tuanosaur Tail Palladium Scrap", + "result": "1x Tuanosaur Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Tuanosaur Greataxe", + "Brutal Greataxe Alpha Tuanosaur Tail Alpha Tuanosaur Tail Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "The Tuanosaur Greataxe is a craftable two-handed axe in Outward." + }, + { + "name": "Tuanosaur Mask", + "url": "https://outward.fandom.com/wiki/Tuanosaur_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "125", + "Damage Resist": "10% 20%", + "Durability": "180", + "Impact Resist": "5%", + "Object ID": "3000102", + "Sell": "38", + "Slot": "Head", + "Stamina Cost": "-10%", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/45/Tuanosaur_Mask.png/revision/latest?cb=20190407195412", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Luke the Pearlescent" + } + ], + "raw_rows": [ + [ + "Luke the Pearlescent", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.9%", + "locations": "Stone Titan Caves", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, Electric Lab, The Slide, Undercity Passage", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5.9%", + "locations": "Captain's Cabin, Stone Titan Caves", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.9%", + "locations": "Abrassar, The Slide, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.9%", + "locations": "Levant", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.9%", + "Stone Titan Caves" + ], + [ + "Chest", + "1", + "5.9%", + "Abrassar, Electric Lab, The Slide, Undercity Passage" + ], + [ + "Knight's Corpse", + "1", + "5.9%", + "Captain's Cabin, Stone Titan Caves" + ], + [ + "Ornate Chest", + "1", + "5.9%", + "Abrassar, The Slide, Undercity Passage" + ], + [ + "Stash", + "1", + "5.9%", + "Levant" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Tuanosaur Mask is a type of Armor in Outward." + }, + { + "name": "Turmmip", + "url": "https://outward.fandom.com/wiki/Turmmip", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "3", + "Effects": "Mana Ratio Recovery 2", + "Hunger": "12.5%", + "Object ID": "4000030", + "Perish Time": "8 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/58/Turmmip.png/revision/latest/scale-to-width-down/83?cb=20190410130444", + "effects": [ + "Restores 12.5% Hunger", + "Player receives Mana Ratio Recovery (level 2)" + ], + "recipes": [ + { + "result": "Astral Potion", + "result_count": "1x", + "ingredients": [ + "Star Mushroom", + "Turmmip", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Turmmip" + }, + { + "result": "Boiled Turmmip", + "result_count": "1x", + "ingredients": [ + "Turmmip" + ], + "station": "Campfire", + "source_page": "Turmmip" + }, + { + "result": "Cured Pypherfish", + "result_count": "3x", + "ingredients": [ + "Vegetable", + "Pypherfish", + "Peach Seeds" + ], + "station": "Cooking Pot", + "source_page": "Turmmip" + }, + { + "result": "Endurance Potion", + "result_count": "1x", + "ingredients": [ + "Occult Remains", + "Turmmip" + ], + "station": "Alchemy Kit", + "source_page": "Turmmip" + }, + { + "result": "Meat Stew", + "result_count": "3x", + "ingredients": [ + "Meat", + "Vegetable", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Turmmip" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Turmmip" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Turmmip" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Turmmip" + }, + { + "result": "Turmmip Potage", + "result_count": "3x", + "ingredients": [ + "Turmmip", + "Turmmip", + "Turmmip", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Turmmip" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Star MushroomTurmmipWater", + "result": "1x Astral Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "Turmmip", + "result": "1x Boiled Turmmip", + "station": "Campfire" + }, + { + "ingredients": "VegetablePypherfishPeach Seeds", + "result": "3x Cured Pypherfish", + "station": "Cooking Pot" + }, + { + "ingredients": "Occult RemainsTurmmip", + "result": "1x Endurance Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "MeatVegetableSalt", + "result": "3x Meat Stew", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + }, + { + "ingredients": "TurmmipTurmmipTurmmipSalt", + "result": "3x Turmmip Potage", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Astral Potion", + "Star MushroomTurmmipWater", + "Alchemy Kit" + ], + [ + "1x Boiled Turmmip", + "Turmmip", + "Campfire" + ], + [ + "3x Cured Pypherfish", + "VegetablePypherfishPeach Seeds", + "Cooking Pot" + ], + [ + "1x Endurance Potion", + "Occult RemainsTurmmip", + "Alchemy Kit" + ], + [ + "3x Meat Stew", + "MeatVegetableSalt", + "Cooking Pot" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ], + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ], + [ + "3x Turmmip Potage", + "TurmmipTurmmipTurmmipSalt", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Turmmip (Gatherable)" + } + ], + "raw_rows": [ + [ + "Turmmip (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Hermit's House", + "quantity": "1 - 3", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "4 - 8", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Conflux Chambers", + "quantity": "1 - 3", + "source": "Fourth Watcher" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3 - 6", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3 - 6", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3 - 6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 5", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 6", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 6", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "3 - 6", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3 - 6", + "source": "Vay the Alchemist" + }, + { + "chance": "41.4%", + "locations": "Harmattan", + "quantity": "4", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "25.9%", + "locations": "Hermit's House", + "quantity": "2", + "source": "Agatha, Maiden of the Winds" + }, + { + "chance": "25.9%", + "locations": "Conflux Chambers", + "quantity": "2", + "source": "Fourth Watcher" + } + ], + "raw_rows": [ + [ + "Agatha, Maiden of the Winds", + "1 - 3", + "100%", + "Hermit's House" + ], + [ + "Chef Iasu", + "4 - 8", + "100%", + "Berg" + ], + [ + "Fourth Watcher", + "1 - 3", + "100%", + "Conflux Chambers" + ], + [ + "Helmi the Alchemist", + "3 - 6", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "3 - 6", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "3 - 6", + "100%", + "New Sirocco" + ], + [ + "Pelletier Baker, Chef", + "3 - 5", + "100%", + "Harmattan" + ], + [ + "Robyn Garnet, Alchemist", + "3 - 6", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "3 - 6", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "3 - 6", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "3 - 6", + "100%", + "Berg" + ], + [ + "Ibolya Battleborn, Chef", + "4", + "41.4%", + "Harmattan" + ], + [ + "Agatha, Maiden of the Winds", + "2", + "25.9%", + "Hermit's House" + ], + [ + "Fourth Watcher", + "2", + "25.9%", + "Conflux Chambers" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "37.6%", + "quantity": "2 - 4", + "source": "Phytoflora" + }, + { + "chance": "29.8%", + "quantity": "1 - 3", + "source": "Phytosaur" + }, + { + "chance": "23.6%", + "quantity": "2 - 9", + "source": "Ice Witch" + } + ], + "raw_rows": [ + [ + "Phytoflora", + "2 - 4", + "37.6%" + ], + [ + "Phytosaur", + "1 - 3", + "29.8%" + ], + [ + "Ice Witch", + "2 - 9", + "23.6%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "17.6%", + "locations": "Conflux Chambers, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "17.6%", + "locations": "Chersonese, Montcalm Clan Fort, Vendavel Fortress", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "17.6%", + "locations": "Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "17.6%", + "locations": "Corrupted Tombs, Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "17.6%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1 - 2", + "source": "Soldier's Corpse" + }, + { + "chance": "17.6%", + "locations": "Chersonese", + "quantity": "1 - 2", + "source": "Worker's Corpse" + }, + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 6", + "source": "Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "17.6%", + "Conflux Chambers, Pirates' Hideout" + ], + [ + "Chest", + "1 - 2", + "17.6%", + "Chersonese, Montcalm Clan Fort, Vendavel Fortress" + ], + [ + "Junk Pile", + "1 - 2", + "17.6%", + "Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1 - 2", + "17.6%", + "Corrupted Tombs, Voltaic Hatchery" + ], + [ + "Soldier's Corpse", + "1 - 2", + "17.6%", + "Chersonese, Heroic Kingdom's Conflux Path" + ], + [ + "Worker's Corpse", + "1 - 2", + "17.6%", + "Chersonese" + ], + [ + "Adventurer's Corpse", + "1 - 6", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 6", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 6", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 6", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ] + ] + } + ], + "description": "Turmmip is a Food item in the game Outward." + }, + { + "name": "Turmmip Potage", + "url": "https://outward.fandom.com/wiki/Turmmip_Potage", + "categories": [ + "Items", + "Consumables", + "Food" + ], + "infobox": { + "Buy": "8", + "Effects": "Mana Recovery 3Cures Cold (Disease)", + "Hunger": "20%", + "Object ID": "4100270", + "Perish Time": "14 Days 21 Hours", + "Sell": "2", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e3/Turmmip_Potage.png/revision/latest?cb=20190410134349", + "effects": [ + "Restores 20% Hunger", + "Player receives Mana Ratio Recovery (level 3)", + "Removes Cold (Disease)" + ], + "recipes": [ + { + "result": "Turmmip Potage", + "result_count": "3x", + "ingredients": [ + "Turmmip", + "Turmmip", + "Turmmip", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Turmmip Potage" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Turmmip Potage" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Turmmip Potage" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Turmmip Turmmip Turmmip Salt", + "result": "3x Turmmip Potage", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Turmmip Potage", + "Turmmip Turmmip Turmmip Salt", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Berg", + "quantity": "2 - 4", + "source": "Chef Iasu" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3 - 4", + "source": "Master-Chef Arago" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3 - 6", + "source": "Ountz the Melon Farmer" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "31.7%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "24.9%", + "locations": "Harmattan", + "quantity": "3", + "source": "Ibolya Battleborn, Chef" + } + ], + "raw_rows": [ + [ + "Chef Iasu", + "2 - 4", + "100%", + "Berg" + ], + [ + "Master-Chef Arago", + "3 - 4", + "100%", + "Cierzo" + ], + [ + "Ountz the Melon Farmer", + "3 - 6", + "100%", + "Monsoon" + ], + [ + "Ryan Sullivan, Arcanist", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Ryan Sullivan, Arcanist", + "3", + "31.7%", + "Harmattan" + ], + [ + "Ibolya Battleborn, Chef", + "3", + "24.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "19.2%", + "quantity": "1 - 3", + "source": "Ice Witch" + }, + { + "chance": "15.1%", + "quantity": "1", + "source": "Jade-Lich Acolyte" + } + ], + "raw_rows": [ + [ + "Ice Witch", + "1 - 3", + "19.2%" + ], + [ + "Jade-Lich Acolyte", + "1", + "15.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "14.8%", + "locations": "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "14.8%", + "locations": "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "14.8%", + "locations": "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort", + "quantity": "1 - 4", + "source": "Ornate Chest" + }, + { + "chance": "14.8%", + "locations": "Ark of the Exiled, Forest Hives", + "quantity": "1 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "14.8%", + "locations": "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path", + "quantity": "1 - 4", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "14.8%", + "Antique Plateau, Caldera, Chersonese, Conflux Chambers, Crumbling Loading Docks, The Slide, Ziggurat Passage" + ], + [ + "Calygrey Chest", + "1 - 4", + "14.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "14.8%", + "Ancestor's Resting Place, Ancient Foundry, Antique Plateau, Bandits' Prison, Cabal of Wind Temple, Calygrey Colosseum, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Face of the Ancients, Flooded Cellar, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Hallowed Marsh, Harmattan, Hollowed Lotus, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Ruined Outpost, Silkworm's Refuge, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Slide, The Tower of Regrets, Undercity Passage, Underside Loading Dock, Vigil Tomb, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "14.8%", + "Abrassar, Ark of the Exiled, Blister Burrow, Blood Mage Hideout, Caldera, Calygrey Colosseum, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 4", + "14.8%", + "Ancient Hive, Antique Plateau, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Steakosaur's Burrow" + ], + [ + "Junk Pile", + "1 - 4", + "14.8%", + "Abandoned Living Quarters, Abandoned Shed, Abandoned Storage, Ancestor's Resting Place, Ancient Foundry, Ark of the Exiled, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Forgotten Research Laboratory, Harmattan, Hermit's House, Jade Quarry, Lost Golem Manufacturing Facility, Monsoon, Necropolis, Oil Refinery, Old Sirocco, Reptilian Lair, Ruined Warehouse, Sand Rose Cave, Spire of Light, Starfish Cave, Steam Bath Tunnels, Stone Titan Caves, The Eldest Brother, Undercity Passage, Vigil Tomb, Worn Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Wendigo Lair" + ], + [ + "Ornate Chest", + "1 - 4", + "14.8%", + "Blood Mage Hideout, Corrupted Tombs, Forgotten Research Laboratory, Montcalm Clan Fort" + ], + [ + "Scavenger's Corpse", + "1 - 4", + "14.8%", + "Ark of the Exiled, Forest Hives" + ], + [ + "Soldier's Corpse", + "1 - 4", + "14.8%", + "Ancient Hive, Hallowed Marsh, Heroic Kingdom's Conflux Path" + ] + ] + } + ], + "description": "Turmmip Potage is a food item in Outward." + }, + { + "name": "Unusual Knuckles", + "url": "https://outward.fandom.com/wiki/Unusual_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "25", + "Durability": "200", + "Impact": "20", + "Object ID": "2160230", + "Sell": "240", + "Stamina Cost": "2.6", + "Type": "Two-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6d/Unusual_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220075348", + "recipes": [ + { + "result": "Tokebakicit", + "result_count": "1x", + "ingredients": [ + "Unusual Knuckles", + "Chromium Shards", + "Bloodroot" + ], + "station": "None", + "source_page": "Unusual Knuckles" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.6", + "damage": "25", + "description": "Four fast punches, right to left", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.38", + "damage": "32.5", + "description": "Forward-lunging left hook", + "impact": "26", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "32.5", + "description": "Left dodging, left uppercut", + "impact": "26", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "32.5", + "description": "Right dodging, right spinning hammer strike", + "impact": "26", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "25", + "20", + "2.6", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "32.5", + "26", + "3.38", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "32.5", + "26", + "3.12", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "32.5", + "26", + "3.12", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Unusual KnucklesChromium ShardsBloodroot", + "result": "1x Tokebakicit", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Tokebakicit", + "Unusual KnucklesChromium ShardsBloodroot", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Unusual Knuckles is a type of Weapon in Outward." + }, + { + "name": "Vagabond's Gelatin", + "url": "https://outward.fandom.com/wiki/Vagabond%27s_Gelatin", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "40", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 4Barrier (Effect) 2Weather Defense", + "Hunger": "25%", + "Object ID": "4100930", + "Perish Time": "34 Days, 17 Hours", + "Sell": "12", + "Type": "Food", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/50/Vagabond%27s_Gelatin.png/revision/latest/scale-to-width-down/83?cb=20201220075349", + "effects": [ + "Restores 25% Hunger", + "Player receives Stamina Recovery (level 4)", + "Player receives Barrier (Effect) (level 2)", + "Player receives Weather Defense" + ], + "effect_links": [ + "/wiki/Barrier_(Effect)" + ], + "recipes": [ + { + "result": "Vagabond's Gelatin", + "result_count": "1x", + "ingredients": [ + "Cool Rainbow Jam", + "Golden Jam", + "Gaberry Jam", + "Marshmelon Jelly" + ], + "station": "Cooking Pot", + "source_page": "Vagabond's Gelatin" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Vagabond's Gelatin" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Vagabond's Gelatin" + }, + { + "result": "Vagabond's Tartine", + "result_count": "3x", + "ingredients": [ + "Vagabond's Gelatin", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Vagabond's Gelatin" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Cool Rainbow Jam Golden Jam Gaberry Jam Marshmelon Jelly", + "result": "1x Vagabond's Gelatin", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Vagabond's Gelatin", + "Cool Rainbow Jam Golden Jam Gaberry Jam Marshmelon Jelly", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + }, + { + "ingredients": "Vagabond's GelatinBread", + "result": "3x Vagabond's Tartine", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ], + [ + "3x Vagabond's Tartine", + "Vagabond's GelatinBread", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Brad Aberdeen, Chef" + } + ], + "raw_rows": [ + [ + "Brad Aberdeen, Chef", + "1", + "100%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5.6%", + "locations": "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven", + "quantity": "1", + "source": "Broken Tent" + }, + { + "chance": "5.6%", + "locations": "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1", + "source": "Knight's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven", + "quantity": "1", + "source": "Scavenger's Corpse" + }, + { + "chance": "5.6%", + "locations": "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "5.6%", + "Caldera, Myrmitaur's Haven, Old Sirocco, The Vault of Stone" + ], + [ + "Broken Tent", + "1", + "5.6%", + "Myrmitaur's Haven" + ], + [ + "Knight's Corpse", + "1", + "5.6%", + "Myrmitaur's Haven, Oily Cavern, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Scavenger's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven" + ], + [ + "Worker's Corpse", + "1", + "5.6%", + "Ark of the Exiled, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns, The Grotto of Chalcedony, The Tower of Regrets, Underside Loading Dock" + ], + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Vagabond's Gelatin is an Item in Outward." + }, + { + "name": "Vagabond's Tartine", + "url": "https://outward.fandom.com/wiki/Vagabond%27s_Tartine", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "20", + "DLC": "The Three Brothers", + "Effects": "Stamina Recovery 4Barrier (Effect) 2Weather Defense", + "Hunger": "15%", + "Object ID": "4100940", + "Perish Time": "19 Days, 20 Hours", + "Sell": "6", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cc/Vagabond%27s_Tartine.png/revision/latest/scale-to-width-down/83?cb=20201220075350", + "effects": [ + "Restores 15% Hunger", + "Player receives Stamina Recovery (level 4)", + "Player receives Barrier (Effect) (level 2)", + "Player receives Weather Defense" + ], + "effect_links": [ + "/wiki/Barrier_(Effect)" + ], + "recipes": [ + { + "result": "Vagabond's Tartine", + "result_count": "3x", + "ingredients": [ + "Vagabond's Gelatin", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Vagabond's Tartine" + }, + { + "result": "Travel Ration", + "result_count": "3x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "Cooking Pot", + "source_page": "Vagabond's Tartine" + }, + { + "result": "Travel Ration", + "result_count": "1x", + "ingredients": [ + "Ration Ingredient", + "Ration Ingredient", + "Salt" + ], + "station": "None", + "source_page": "Vagabond's Tartine" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Vagabond's Gelatin Bread", + "result": "3x Vagabond's Tartine", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Vagabond's Tartine", + "Vagabond's Gelatin Bread", + "Cooking Pot" + ] + ] + }, + { + "title": "Crafting / Recipe / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "3x Travel Ration", + "station": "Cooking Pot" + }, + { + "ingredients": "Ration IngredientRation IngredientSalt", + "result": "1x Travel Ration", + "station": "None" + } + ], + "raw_rows": [ + [ + "3x Travel Ration", + "Ration IngredientRation IngredientSalt", + "Cooking Pot" + ], + [ + "1x Travel Ration", + "Ration IngredientRation IngredientSalt", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.3%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.3%", + "New Sirocco" + ] + ] + } + ], + "description": "Vagabond's Tartine is an Item in Outward." + }, + { + "name": "Vampiric Axe", + "url": "https://outward.fandom.com/wiki/Vampiric_Axe", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "800", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "41", + "Durability": "275", + "Effects": "Leeches health on hit", + "Impact": "24", + "Item Set": "Vampiric Set", + "Object ID": "2010160", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/30/Vampiric_Axe.png/revision/latest/scale-to-width-down/83?cb=20200616185636", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "41", + "description": "Two slashing strikes, right to left", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.24", + "damage": "53.3", + "description": "Fast, triple-attack strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "53.3", + "description": "Quick double strike", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "53.3", + "description": "Wide-sweeping double strike", + "impact": "31.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "41", + "24", + "5.2", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "53.3", + "31.2", + "6.24", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "53.3", + "31.2", + "6.24", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "53.3", + "31.2", + "6.24", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Vampiric Axe is a type of Weapon in Outward." + }, + { + "name": "Vampiric Bow", + "url": "https://outward.fandom.com/wiki/Vampiric_Bow", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Bows", + "DLC": "The Soroboreans", + "Damage": "48", + "Durability": "250", + "Effects": "Leeches health on hit", + "Impact": "18", + "Item Set": "Vampiric Set", + "Object ID": "2200050", + "Sell": "300", + "Stamina Cost": "2.99", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d6/Vampiric_Bow.png/revision/latest/scale-to-width-down/83?cb=20200616185638", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Vampiric Bow is a type of Weapon in Outward." + }, + { + "name": "Vampiric Dagger", + "url": "https://outward.fandom.com/wiki/Vampiric_Dagger", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Daggers", + "DLC": "The Soroboreans", + "Damage": "40", + "Durability": "200", + "Effects": "Leeches health on hit", + "Impact": "38", + "Item Set": "Vampiric Set", + "Object ID": "5110007", + "Sell": "240", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/26/Vampiric_Dagger.png/revision/latest/scale-to-width-down/83?cb=20200616185640", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + } + ], + "description": "Vampiric Dagger is a type of Weapon in Outward." + }, + { + "name": "Vampiric Greataxe", + "url": "https://outward.fandom.com/wiki/Vampiric_Greataxe", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "52", + "Durability": "350", + "Effects": "Leeches health on hit", + "Impact": "36", + "Item Set": "Vampiric Set", + "Object ID": "2110130", + "Sell": "300", + "Stamina Cost": "7.15", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f0/Vampiric_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20200616185641", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.15", + "damage": "52", + "description": "Two slashing strikes, left to right", + "impact": "36", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.83", + "damage": "67.6", + "description": "Uppercut strike into right sweep strike", + "impact": "46.8", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.83", + "damage": "67.6", + "description": "Left-spinning double strike", + "impact": "46.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.65", + "damage": "67.6", + "description": "Right-spinning double strike", + "impact": "46.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "52", + "36", + "7.15", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "67.6", + "46.8", + "9.83", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "67.6", + "46.8", + "9.83", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "67.6", + "46.8", + "9.65", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Vampiric Greataxe is a type of Weapon in Outward." + }, + { + "name": "Vampiric Greatmace", + "url": "https://outward.fandom.com/wiki/Vampiric_Greatmace", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "48", + "Durability": "400", + "Effects": "Leeches health on hit", + "Impact": "45", + "Item Set": "Vampiric Set", + "Object ID": "2120160", + "Sell": "300", + "Stamina Cost": "7.15", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8a/Vampiric_Greatmace.png/revision/latest/scale-to-width-down/83?cb=20200616185643", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.15", + "damage": "48", + "description": "Two slashing strikes, left to right", + "impact": "45", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "36", + "description": "Blunt strike with high impact", + "impact": "90", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "67.2", + "description": "Powerful overhead strike", + "impact": "63", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "67.2", + "description": "Forward-running uppercut strike", + "impact": "63", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "48", + "45", + "7.15", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "36", + "90", + "8.58", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "67.2", + "63", + "8.58", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "67.2", + "63", + "8.58", + "1", + "Forward-running uppercut strike" + ] + ] + } + ], + "description": "Vampiric Greatmace is a type of Weapon in Outward." + }, + { + "name": "Vampiric Greatsword", + "url": "https://outward.fandom.com/wiki/Vampiric_Greatsword", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Swords", + "DLC": "The Soroboreans", + "Damage": "50", + "Durability": "300", + "Effects": "Leeches health on hit", + "Impact": "39", + "Item Set": "Vampiric Set", + "Object ID": "2100180", + "Sell": "300", + "Stamina Cost": "7.15", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/6d/Vampiric_Greatsword.png/revision/latest/scale-to-width-down/83?cb=20200616185644", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.15", + "damage": "50", + "description": "Two slashing strikes, left to right", + "impact": "39", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.3", + "damage": "75", + "description": "Overhead downward-thrusting strike", + "impact": "58.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.87", + "damage": "63.25", + "description": "Spinning strike from the right", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.87", + "damage": "63.25", + "description": "Spinning strike from the left", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "50", + "39", + "7.15", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "75", + "58.5", + "9.3", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "63.25", + "42.9", + "7.87", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "63.25", + "42.9", + "7.87", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Vampiric Greatsword is a type of Weapon in Outward." + }, + { + "name": "Vampiric Halberd", + "url": "https://outward.fandom.com/wiki/Vampiric_Halberd", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Polearms", + "DLC": "The Soroboreans", + "Damage": "44", + "Durability": "325", + "Effects": "Leeches health on hit", + "Impact": "41", + "Item Set": "Vampiric Set", + "Object ID": "2140140", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4d/Vampiric_Halberd.png/revision/latest/scale-to-width-down/83?cb=20200616185645", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "44", + "description": "Two wide-sweeping strikes, left to right", + "impact": "41", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "57.2", + "description": "Forward-thrusting strike", + "impact": "53.3", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "57.2", + "description": "Wide-sweeping strike from left", + "impact": "53.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "74.8", + "description": "Slow but powerful sweeping strike", + "impact": "69.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "44", + "41", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "57.2", + "53.3", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "57.2", + "53.3", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "74.8", + "69.7", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Vampiric Halberd is a type of Weapon in Outward." + }, + { + "name": "Vampiric Knuckles", + "url": "https://outward.fandom.com/wiki/Vampiric_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "800", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "34", + "Durability": "225", + "Effects": "Leeches health on hit", + "Impact": "18", + "Item Set": "Vampiric Set", + "Object ID": "2160140", + "Sell": "240", + "Stamina Cost": "2.6", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/62/Vampiric_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20200616185647", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.6", + "damage": "34", + "description": "Four fast punches, right to left", + "impact": "18", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.38", + "damage": "44.2", + "description": "Forward-lunging left hook", + "impact": "23.4", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "44.2", + "description": "Left dodging, left uppercut", + "impact": "23.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "44.2", + "description": "Right dodging, right spinning hammer strike", + "impact": "23.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34", + "18", + "2.6", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "44.2", + "23.4", + "3.38", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "44.2", + "23.4", + "3.12", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "44.2", + "23.4", + "3.12", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Vampiric Knuckles is a type of Weapon in Outward." + }, + { + "name": "Vampiric Mace", + "url": "https://outward.fandom.com/wiki/Vampiric_Mace", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "800", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "46", + "Durability": "350", + "Effects": "Leeches health on hit", + "Impact": "38", + "Item Set": "Vampiric Set", + "Object ID": "2020190", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/71/Vampiric_Mace.png/revision/latest/scale-to-width-down/83?cb=20200616185648", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "46", + "description": "Two wide-sweeping strikes, right to left", + "impact": "38", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "59.8", + "description": "Slow, overhead strike with high impact", + "impact": "95", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "59.8", + "description": "Fast, forward-thrusting strike", + "impact": "49.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "59.8", + "description": "Fast, forward-thrusting strike", + "impact": "49.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "46", + "38", + "5.2", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "59.8", + "95", + "6.76", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "59.8", + "49.4", + "6.76", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "59.8", + "49.4", + "6.76", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Vampiric Mace is a type of Weapon in Outward." + }, + { + "name": "Vampiric Spear", + "url": "https://outward.fandom.com/wiki/Vampiric_Spear", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Spears", + "DLC": "The Soroboreans", + "Damage": "50", + "Durability": "250", + "Effects": "Leeches health on hit", + "Impact": "26", + "Item Set": "Vampiric Set", + "Object ID": "2130180", + "Sell": "300", + "Stamina Cost": "5.2", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2c/Vampiric_Spear.png/revision/latest/scale-to-width-down/83?cb=20200616185652", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "50", + "description": "Two forward-thrusting stabs", + "impact": "26", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "70", + "description": "Forward-lunging strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "65", + "description": "Left-sweeping strike, jump back", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "60", + "description": "Fast spinning strike from the right", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "50", + "26", + "5.2", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "70", + "31.2", + "6.5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "65", + "31.2", + "6.5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "60", + "28.6", + "6.5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Vampiric Spear is a type of Weapon in Outward." + }, + { + "name": "Vampiric Sword", + "url": "https://outward.fandom.com/wiki/Vampiric_Sword", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "800", + "Class": "Swords", + "DLC": "The Soroboreans", + "Damage": "40", + "Durability": "225", + "Effects": "Leeches health on hit", + "Impact": "23", + "Item Set": "Vampiric Set", + "Object ID": "2000190", + "Sell": "240", + "Stamina Cost": "4.55", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/87/Vampiric_Sword.png/revision/latest/scale-to-width-down/83?cb=20200616185653", + "effects": [ + "Leeches Health from enemies on hit", + "The ratio is 0.1x damage restored to Health, and 0.05x damage restored to Burnt Health" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.55", + "damage": "40", + "description": "Two slash attacks, left to right", + "impact": "23", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.46", + "damage": "59.8", + "description": "Forward-thrusting strike", + "impact": "29.9", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "50.6", + "description": "Heavy left-lunging strike", + "impact": "25.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "50.6", + "description": "Heavy right-lunging strike", + "impact": "25.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "40", + "23", + "4.55", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "59.8", + "29.9", + "5.46", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "50.6", + "25.3", + "5.01", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "50.6", + "25.3", + "5.01", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Vampiric Sword is a type of Weapon in Outward." + }, + { + "name": "Veaber's Egg", + "url": "https://outward.fandom.com/wiki/Veaber%27s_Egg", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "3", + "DLC": "The Soroboreans", + "Drink": "6%", + "Effects": "Health Recovery 1Mana Ratio Recovery 1Indigestion", + "Hunger": "7.5%", + "Object ID": "4000350", + "Perish Time": "5 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/23/Veaber%27s_Egg.png/revision/latest/scale-to-width-down/83?cb=20200616185655", + "effects": [ + "Restores 7.5% Hunger", + "Player receives Health Recovery (level 1)", + "Player receives Mana Ratio Recovery (level 1)", + "Player receives Indigestion (100% chance)" + ], + "recipes": [ + { + "result": "Boiled Veaber Egg", + "result_count": "1x", + "ingredients": [ + "Veaber's Egg" + ], + "station": "Campfire", + "source_page": "Veaber's Egg" + }, + { + "result": "Purpkin Pie", + "result_count": "3x", + "ingredients": [ + "Purpkin", + "Flour", + "Veaber's Egg", + "Sugar" + ], + "station": "Cooking Pot", + "source_page": "Veaber's Egg" + }, + { + "result": "Scourge Cocoon", + "result_count": "2x", + "ingredients": [ + "Occult Remains", + "Horror Chitin", + "Veaber's Egg", + "Veaber's Egg" + ], + "station": "None", + "source_page": "Veaber's Egg" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Veaber's Egg", + "result": "1x Boiled Veaber Egg", + "station": "Campfire" + }, + { + "ingredients": "PurpkinFlourVeaber's EggSugar", + "result": "3x Purpkin Pie", + "station": "Cooking Pot" + }, + { + "ingredients": "Occult RemainsHorror ChitinVeaber's EggVeaber's Egg", + "result": "2x Scourge Cocoon", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Boiled Veaber Egg", + "Veaber's Egg", + "Campfire" + ], + [ + "3x Purpkin Pie", + "PurpkinFlourVeaber's EggSugar", + "Cooking Pot" + ], + [ + "2x Scourge Cocoon", + "Occult RemainsHorror ChitinVeaber's EggVeaber's Egg", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "3", + "source": "Veaber Eggs" + } + ], + "raw_rows": [ + [ + "Veaber Eggs", + "3", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "6", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Pelletier Baker, Chef", + "6", + "100%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "7.4%", + "quantity": "1", + "source": "Veaber" + } + ], + "raw_rows": [ + [ + "Veaber", + "1", + "7.4%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.3%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Chest" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "2 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "8.3%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "2 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "8.3%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Soldier's Corpse" + }, + { + "chance": "8.3%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "2 - 4", + "8.3%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "2 - 4", + "8.3%", + "Harmattan" + ], + [ + "Knight's Corpse", + "2 - 4", + "8.3%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "2 - 4", + "8.3%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "2 - 4", + "8.3%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "2 - 4", + "8.3%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "2 - 4", + "8.3%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Veaber's Egg is an Item in Outward." + }, + { + "name": "Vendavel Key", + "url": "https://outward.fandom.com/wiki/Vendavel_Key", + "categories": [ + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "5600027", + "Sell": "0", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Giant_Iron_Key.png/revision/latest/scale-to-width-down/83?cb=20190412211145", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Balira" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Crock" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Vendavel Bandit" + } + ], + "raw_rows": [ + [ + "Balira", + "1", + "100%" + ], + [ + "Crock", + "1", + "100%" + ], + [ + "Vendavel Bandit", + "1", + "100%" + ] + ] + } + ], + "description": "Vendavel Key is a unique item in Outward." + }, + { + "name": "Vendavel Prison Key", + "url": "https://outward.fandom.com/wiki/Vendavel_Prison_Key", + "categories": [ + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "5600028", + "Sell": "0", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5f/Vendavel_Prison_Key.png/revision/latest/scale-to-width-down/83?cb=20200115144526", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Balira" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Crock" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Rospa Akiyuki" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Vendavel Bandit" + } + ], + "raw_rows": [ + [ + "Balira", + "1", + "100%" + ], + [ + "Crock", + "1", + "100%" + ], + [ + "Rospa Akiyuki", + "1", + "100%" + ], + [ + "Vendavel Bandit", + "1", + "100%" + ] + ] + } + ], + "description": "Vendavel Prison Key is an item in Outward." + }, + { + "name": "Vendavel's Hospitality", + "url": "https://outward.fandom.com/wiki/Vendavel%27s_Hospitality", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "200", + "Object ID": "6600227", + "Sell": "60", + "Type": "Ingredient", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1f/Vendavel%27s_Hospitality.png/revision/latest/scale-to-width-down/83?cb=20190629155242", + "recipes": [ + { + "result": "Caged Armor Chestplate", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Pearlbird's Courage", + "Vendavel's Hospitality", + "Metalized Bones" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Caged Armor Helm", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Leyline Figment", + "Vendavel's Hospitality", + "Enchanted Mask" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Ghost Reaper", + "result_count": "1x", + "ingredients": [ + "Scourge's Tears", + "Haunted Memory", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Krypteia Armor", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Leyline Figment", + "Vendavel's Hospitality", + "Noble's Greed" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Maelstrom Blade", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Elatt's Relic", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Manticore Egg", + "result_count": "1x", + "ingredients": [ + "Vendavel's Hospitality", + "Scourge's Tears", + "Noble's Greed", + "Calygrey's Wisdom" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Pain in the Axe", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Scourge's Tears", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Pilgrim Armor", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Scourge's Tears", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Pilgrim Boots", + "result_count": "1x", + "ingredients": [ + "Elatt's Relic", + "Haunted Memory", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Shock Armor", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Scourge's Tears", + "Calixa's Relic", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Shock Boots", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Calixa's Relic", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Shock Helmet", + "result_count": "1x", + "ingredients": [ + "Gep's Generosity", + "Scourge's Tears", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + }, + { + "result": "Thermal Claymore", + "result_count": "1x", + "ingredients": [ + "Pearlbird's Courage", + "Haunted Memory", + "Leyline Figment", + "Vendavel's Hospitality" + ], + "station": "None", + "source_page": "Vendavel's Hospitality" + } + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gep's GenerosityPearlbird's CourageVendavel's HospitalityMetalized Bones", + "result": "1x Caged Armor Chestplate", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageLeyline FigmentVendavel's HospitalityEnchanted Mask", + "result": "1x Caged Armor Helm", + "station": "None" + }, + { + "ingredients": "Scourge's TearsHaunted MemoryLeyline FigmentVendavel's Hospitality", + "result": "1x Ghost Reaper", + "station": "None" + }, + { + "ingredients": "Elatt's RelicLeyline FigmentVendavel's HospitalityNoble's Greed", + "result": "1x Krypteia Armor", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageElatt's RelicCalixa's RelicVendavel's Hospitality", + "result": "1x Maelstrom Blade", + "station": "None" + }, + { + "ingredients": "Vendavel's HospitalityScourge's TearsNoble's GreedCalygrey's Wisdom", + "result": "1x Manticore Egg", + "station": "None" + }, + { + "ingredients": "Elatt's RelicScourge's TearsCalixa's RelicVendavel's Hospitality", + "result": "1x Pain in the Axe", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageScourge's TearsLeyline FigmentVendavel's Hospitality", + "result": "1x Pilgrim Armor", + "station": "None" + }, + { + "ingredients": "Elatt's RelicHaunted MemoryCalixa's RelicVendavel's Hospitality", + "result": "1x Pilgrim Boots", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageScourge's TearsCalixa's RelicVendavel's Hospitality", + "result": "1x Shock Armor", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityCalixa's RelicLeyline FigmentVendavel's Hospitality", + "result": "1x Shock Boots", + "station": "None" + }, + { + "ingredients": "Gep's GenerosityScourge's TearsLeyline FigmentVendavel's Hospitality", + "result": "1x Shock Helmet", + "station": "None" + }, + { + "ingredients": "Pearlbird's CourageHaunted MemoryLeyline FigmentVendavel's Hospitality", + "result": "1x Thermal Claymore", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Caged Armor Chestplate", + "Gep's GenerosityPearlbird's CourageVendavel's HospitalityMetalized Bones", + "None" + ], + [ + "1x Caged Armor Helm", + "Pearlbird's CourageLeyline FigmentVendavel's HospitalityEnchanted Mask", + "None" + ], + [ + "1x Ghost Reaper", + "Scourge's TearsHaunted MemoryLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Krypteia Armor", + "Elatt's RelicLeyline FigmentVendavel's HospitalityNoble's Greed", + "None" + ], + [ + "1x Maelstrom Blade", + "Pearlbird's CourageElatt's RelicCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Manticore Egg", + "Vendavel's HospitalityScourge's TearsNoble's GreedCalygrey's Wisdom", + "None" + ], + [ + "1x Pain in the Axe", + "Elatt's RelicScourge's TearsCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Pilgrim Armor", + "Pearlbird's CourageScourge's TearsLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Pilgrim Boots", + "Elatt's RelicHaunted MemoryCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Shock Armor", + "Pearlbird's CourageScourge's TearsCalixa's RelicVendavel's Hospitality", + "None" + ], + [ + "1x Shock Boots", + "Gep's GenerosityCalixa's RelicLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Shock Helmet", + "Gep's GenerosityScourge's TearsLeyline FigmentVendavel's Hospitality", + "None" + ], + [ + "1x Thermal Claymore", + "Pearlbird's CourageHaunted MemoryLeyline FigmentVendavel's Hospitality", + "None" + ] + ] + } + ], + "description": "Vendavel's Hospitality is an item in Outward." + }, + { + "name": "Venom Arrow", + "url": "https://outward.fandom.com/wiki/Venom_Arrow", + "categories": [ + "DLC: The Three Brothers", + "Arrow", + "Ammunition", + "Items" + ], + "infobox": { + "Buy": "5", + "Class": "Arrow", + "DLC": "The Three Brothers", + "Effects": "+10 Decay damageInflicts Extreme Poison", + "Object ID": "5200004", + "Sell": "2", + "Type": "Ammunition", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ea/Venom_Arrow.png/revision/latest/scale-to-width-down/83?cb=20201220075352", + "effects": [ + "+10 Decay damage", + "Inflicts Extreme Poison (40% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Venom Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Miasmapod" + ], + "station": "Alchemy Kit", + "source_page": "Venom Arrow" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Arrowhead Kit Wood Miasmapod", + "result": "5x Venom Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "5x Venom Arrow", + "Arrowhead Kit Wood Miasmapod", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "15 - 30", + "source": "Luc Salaberry, Alchemist" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "15 - 30", + "100%", + "New Sirocco" + ] + ] + } + ], + "description": "Venom Arrow is an Item in Outward." + }, + { + "name": "Vigil Lock Key", + "url": "https://outward.fandom.com/wiki/Vigil_Lock_Key", + "categories": [ + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Object ID": "5600025", + "Sell": "0", + "Type": "Key", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a1/Vigil_Lock_Key.png/revision/latest/scale-to-width-down/83?cb=20200312145804", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Molten Forge Golem" + } + ], + "raw_rows": [ + [ + "Molten Forge Golem", + "1", + "100%" + ] + ] + } + ], + "description": "Vigil Lock Key is an item in Outward." + }, + { + "name": "Vigilante Armor", + "url": "https://outward.fandom.com/wiki/Vigilante_Armor", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "600", + "DLC": "The Three Brothers", + "Damage Resist": "22%", + "Durability": "340", + "Effects": "Prevents Burning", + "Hot Weather Def.": "10", + "Impact Resist": "16%", + "Item Set": "Vigilante Set", + "Movement Speed": "-3%", + "Object ID": "3100465", + "Protection": "2", + "Sell": "180", + "Slot": "Chest", + "Stamina Cost": "7%", + "Weight": "12" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/f2/Vigilante_Armor.png/revision/latest/scale-to-width-down/83?cb=20201220075355", + "effects": [ + "Provides 100% Status Resistance to Burning" + ], + "effect_links": [ + "/wiki/Burning" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Armor", + "upgrade": "Vigilante Armor" + } + ], + "raw_rows": [ + [ + "Militia Armor", + "Vigilante Armor" + ] + ] + } + ], + "description": "Vigilante Armor is a type of Equipment in Outward." + }, + { + "name": "Vigilante Axe", + "url": "https://outward.fandom.com/wiki/Vigilante_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2000", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "44", + "Durability": "350", + "Impact": "35", + "Item Set": "Vigilante Set", + "Object ID": "2010275", + "Protection": "3", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/03/Vigilante_Axe.png/revision/latest/scale-to-width-down/83?cb=20201223075253", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "44", + "description": "Two slashing strikes, right to left", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.72", + "damage": "57.2", + "description": "Fast, triple-attack strike", + "impact": "45.5", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "57.2", + "description": "Quick double strike", + "impact": "45.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.72", + "damage": "57.2", + "description": "Wide-sweeping double strike", + "impact": "45.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "44", + "35", + "5.6", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "57.2", + "45.5", + "6.72", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "57.2", + "45.5", + "6.72", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "57.2", + "45.5", + "6.72", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Axe", + "upgrade": "Vigilante Axe" + } + ], + "raw_rows": [ + [ + "Militia Axe", + "Vigilante Axe" + ] + ] + } + ], + "description": "Vigilante Axe is a type of Weapon in Outward." + }, + { + "name": "Vigilante Boots", + "url": "https://outward.fandom.com/wiki/Vigilante_Boots", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "450", + "DLC": "The Three Brothers", + "Damage Resist": "14%", + "Durability": "340", + "Effects": "Prevents Hampered", + "Hot Weather Def.": "5", + "Impact Resist": "10%", + "Item Set": "Vigilante Set", + "Movement Speed": "-2%", + "Object ID": "3100467", + "Protection": "1", + "Sell": "135", + "Slot": "Legs", + "Stamina Cost": "5%", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5d/Vigilante_Boots.png/revision/latest/scale-to-width-down/83?cb=20201220075357", + "effects": [ + "Provides 100% Status Resistance to Hampered" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Boots", + "upgrade": "Vigilante Boots" + } + ], + "raw_rows": [ + [ + "Militia Boots", + "Vigilante Boots" + ] + ] + } + ], + "description": "Vigilante Boots is a type of Equipment in Outward." + }, + { + "name": "Vigilante Bow", + "url": "https://outward.fandom.com/wiki/Vigilante_Bow", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2500", + "Class": "Bows", + "DLC": "The Three Brothers", + "Damage": "38", + "Durability": "400", + "Impact": "22", + "Item Set": "Vigilante Set", + "Object ID": "2200155", + "Protection": "3", + "Sell": "750", + "Stamina Cost": "3.22", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7b/Vigilante_Bow.png/revision/latest/scale-to-width-down/83?cb=20201220075358", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Bow", + "upgrade": "Vigilante Bow" + } + ], + "raw_rows": [ + [ + "Militia Bow", + "Vigilante Bow" + ] + ] + } + ], + "description": "Vigilante Bow is a type of Weapon in Outward." + }, + { + "name": "Vigilante Chakram", + "url": "https://outward.fandom.com/wiki/Vigilante_Chakram", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Chakrams", + "DLC": "The Three Brothers", + "Damage": "34", + "Durability": "400", + "Impact": "53", + "Item Set": "Vigilante Set", + "Object ID": "5110107", + "Protection": "2", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b9/Vigilante_Chakram.png/revision/latest/scale-to-width-down/83?cb=20201220075400", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Chakram", + "upgrade": "Vigilante Chakram" + } + ], + "raw_rows": [ + [ + "Militia Chakram", + "Vigilante Chakram" + ] + ] + } + ], + "description": "Vigilante Chakram is a type of Weapon in Outward." + }, + { + "name": "Vigilante Claymore", + "url": "https://outward.fandom.com/wiki/Vigilante_Claymore", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2500", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "52", + "Durability": "375", + "Impact": "42", + "Item Set": "Vigilante Set", + "Object ID": "2100295", + "Protection": "4", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/63/Vigilante_Claymore.png/revision/latest/scale-to-width-down/83?cb=20201220075401", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "52", + "description": "Two slashing strikes, left to right", + "impact": "42", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "10.01", + "damage": "78", + "description": "Overhead downward-thrusting strike", + "impact": "63", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "65.78", + "description": "Spinning strike from the right", + "impact": "46.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.47", + "damage": "65.78", + "description": "Spinning strike from the left", + "impact": "46.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "52", + "42", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "78", + "63", + "10.01", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "65.78", + "46.2", + "8.47", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "65.78", + "46.2", + "8.47", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Claymore", + "upgrade": "Vigilante Claymore" + } + ], + "raw_rows": [ + [ + "Militia Claymore", + "Vigilante Claymore" + ] + ] + } + ], + "description": "Vigilante Claymore is a type of Weapon in Outward." + }, + { + "name": "Vigilante Dagger", + "url": "https://outward.fandom.com/wiki/Vigilante_Dagger", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Daggers", + "DLC": "The Three Brothers", + "Damage": "36", + "Durability": "300", + "Effects": "Crippled", + "Impact": "52", + "Item Set": "Vigilante Set", + "Object ID": "5110018", + "Protection": "2", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5b/Vigilante_Dagger.png/revision/latest/scale-to-width-down/83?cb=20201223075256", + "effects": [ + "Inflicts Crippled (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Dagger", + "upgrade": "Vigilante Dagger" + } + ], + "raw_rows": [ + [ + "Militia Dagger", + "Vigilante Dagger" + ] + ] + } + ], + "description": "Vigilante Dagger is a type of Weapon in Outward." + }, + { + "name": "Vigilante Greataxe", + "url": "https://outward.fandom.com/wiki/Vigilante_Greataxe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2500", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "54", + "Durability": "400", + "Impact": "48", + "Item Set": "Vigilante Set", + "Object ID": "2110255", + "Protection": "4", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5e/Vigilante_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20201220075403", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "54", + "description": "Two slashing strikes, left to right", + "impact": "48", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "70.2", + "description": "Uppercut strike into right sweep strike", + "impact": "62.4", + "input": "Special" + }, + { + "attacks": "2", + "cost": "10.59", + "damage": "70.2", + "description": "Left-spinning double strike", + "impact": "62.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "10.4", + "damage": "70.2", + "description": "Right-spinning double strike", + "impact": "62.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "54", + "48", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "70.2", + "62.4", + "10.59", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "70.2", + "62.4", + "10.59", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "70.2", + "62.4", + "10.4", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Greataxe", + "upgrade": "Vigilante Greataxe" + } + ], + "raw_rows": [ + [ + "Militia Greataxe", + "Vigilante Greataxe" + ] + ] + } + ], + "description": "Vigilante Greataxe is a type of Weapon in Outward." + }, + { + "name": "Vigilante Halberd", + "url": "https://outward.fandom.com/wiki/Vigilante_Halberd", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2500", + "Class": "Polearms", + "DLC": "The Three Brothers", + "Damage": "47", + "Durability": "400", + "Impact": "49", + "Item Set": "Vigilante Set", + "Object ID": "2150135", + "Protection": "4", + "Sell": "750", + "Stamina Cost": "7", + "Type": "Halberd", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b3/Vigilante_Halberd.png/revision/latest/scale-to-width-down/83?cb=20201223075258", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7", + "damage": "47", + "description": "Two wide-sweeping strikes, left to right", + "impact": "49", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "61.1", + "description": "Forward-thrusting strike", + "impact": "63.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.75", + "damage": "61.1", + "description": "Wide-sweeping strike from left", + "impact": "63.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "12.25", + "damage": "79.9", + "description": "Slow but powerful sweeping strike", + "impact": "83.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "47", + "49", + "7", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "61.1", + "63.7", + "8.75", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "61.1", + "63.7", + "8.75", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "79.9", + "83.3", + "12.25", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Halberd", + "upgrade": "Vigilante Halberd" + } + ], + "raw_rows": [ + [ + "Militia Halberd", + "Vigilante Halberd" + ] + ] + } + ], + "description": "Vigilante Halberd is a type of Weapon in Outward." + }, + { + "name": "Vigilante Hammer", + "url": "https://outward.fandom.com/wiki/Vigilante_Hammer", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2500", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "50", + "Durability": "450", + "Impact": "65", + "Item Set": "Vigilante Set", + "Object ID": "2120265", + "Protection": "4", + "Sell": "750", + "Stamina Cost": "7.7", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/24/Vigilante_Hammer.png/revision/latest/scale-to-width-down/83?cb=20201220075406", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.7", + "damage": "50", + "description": "Two slashing strikes, left to right", + "impact": "65", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "37.5", + "description": "Blunt strike with high impact", + "impact": "130", + "input": "Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "70", + "description": "Powerful overhead strike", + "impact": "91", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "9.24", + "damage": "70", + "description": "Forward-running uppercut strike", + "impact": "91", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "50", + "65", + "7.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "37.5", + "130", + "9.24", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "70", + "91", + "9.24", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "70", + "91", + "9.24", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Hammer", + "upgrade": "Vigilante Hammer" + } + ], + "raw_rows": [ + [ + "Militia Hammer", + "Vigilante Hammer" + ] + ] + } + ], + "description": "Vigilante Hammer is a type of Weapon in Outward. Can be used for Mining." + }, + { + "name": "Vigilante Helm", + "url": "https://outward.fandom.com/wiki/Vigilante_Helm", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "450", + "DLC": "The Three Brothers", + "Damage Resist": "14%", + "Durability": "340", + "Effects": "Prevents Confusion", + "Hot Weather Def.": "5", + "Impact Resist": "10%", + "Item Set": "Vigilante Set", + "Mana Cost": "5%", + "Movement Speed": "-2%", + "Object ID": "3100466", + "Protection": "1", + "Sell": "135", + "Slot": "Head", + "Stamina Cost": "5%", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c3/Vigilante_Helm.png/revision/latest/scale-to-width-down/83?cb=20201220075407", + "effects": [ + "Provides 100% Status Resistance to Confusion" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Helm", + "upgrade": "Vigilante Helm" + } + ], + "raw_rows": [ + [ + "Militia Helm", + "Vigilante Helm" + ] + ] + } + ], + "description": "Vigilante Helm is a type of Equipment in Outward." + }, + { + "name": "Vigilante Knuckles", + "url": "https://outward.fandom.com/wiki/Vigilante_Knuckles", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2000", + "Class": "Gauntlets", + "DLC": "The Three Brothers", + "Damage": "27", + "Durability": "325", + "Impact": "29", + "Item Set": "Vigilante Set", + "Object ID": "2160225", + "Protection": "4", + "Sell": "600", + "Stamina Cost": "2.8", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/21/Vigilante_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20201220075408", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.8", + "damage": "27", + "description": "Four fast punches, right to left", + "impact": "29", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.64", + "damage": "35.1", + "description": "Forward-lunging left hook", + "impact": "37.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "35.1", + "description": "Left dodging, left uppercut", + "impact": "37.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.36", + "damage": "35.1", + "description": "Right dodging, right spinning hammer strike", + "impact": "37.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "27", + "29", + "2.8", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "35.1", + "37.7", + "3.64", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "35.1", + "37.7", + "3.36", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "35.1", + "37.7", + "3.36", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Knuckles", + "upgrade": "Vigilante Knuckles" + } + ], + "raw_rows": [ + [ + "Militia Knuckles", + "Vigilante Knuckles" + ] + ] + } + ], + "description": "Vigilante Knuckles is a type of Weapon in Outward." + }, + { + "name": "Vigilante Mace", + "url": "https://outward.fandom.com/wiki/Vigilante_Mace", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2000", + "Class": "Maces", + "DLC": "The Three Brothers", + "Damage": "47", + "Durability": "400", + "Impact": "55", + "Item Set": "Vigilante Set", + "Object ID": "2020315", + "Protection": "3", + "Sell": "600", + "Stamina Cost": "5.6", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b7/Vigilante_Mace.png/revision/latest/scale-to-width-down/83?cb=20201220075410", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "47", + "description": "Two wide-sweeping strikes, right to left", + "impact": "55", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "61.1", + "description": "Slow, overhead strike with high impact", + "impact": "137.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "61.1", + "description": "Fast, forward-thrusting strike", + "impact": "71.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.28", + "damage": "61.1", + "description": "Fast, forward-thrusting strike", + "impact": "71.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "47", + "55", + "5.6", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "61.1", + "137.5", + "7.28", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "61.1", + "71.5", + "7.28", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "61.1", + "71.5", + "7.28", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Mace", + "upgrade": "Vigilante Mace" + } + ], + "raw_rows": [ + [ + "Militia Mace", + "Vigilante Mace" + ] + ] + } + ], + "description": "Vigilante Mace is a type of Weapon in Outward." + }, + { + "name": "Vigilante Pistol", + "url": "https://outward.fandom.com/wiki/Vigilante_Pistol", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Pistols", + "DLC": "The Three Brothers", + "Damage": "90", + "Durability": "200", + "Effects": "Crippled", + "Impact": "90", + "Item Set": "Vigilante Set", + "Object ID": "5110300", + "Protection": "2", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ea/Vigilante_Pistol.png/revision/latest/scale-to-width-down/83?cb=20201223075301", + "effects": [ + "Inflicts Crippled (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Pistol", + "upgrade": "Vigilante Pistol" + } + ], + "raw_rows": [ + [ + "Militia Pistol", + "Vigilante Pistol" + ] + ] + } + ], + "description": "Vigilante Pistol is a type of Weapon in Outward." + }, + { + "name": "Vigilante Set", + "url": "https://outward.fandom.com/wiki/Vigilante_Set", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1500", + "DLC": "The Three Brothers", + "Damage Resist": "50%", + "Durability": "1020", + "Hot Weather Def.": "20", + "Impact Resist": "36%", + "Mana Cost": "5%", + "Movement Speed": "-7%", + "Object ID": "3100465 (Chest)3100467 (Legs)3100466 (Head)", + "Protection": "4", + "Sell": "450", + "Slot": "Set", + "Stamina Cost": "17%", + "Weight": "25.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3c/Vigilante_Set.png/revision/latest/scale-to-width-down/250?cb=20201231064151", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "16%", + "column_5": "2", + "column_6": "10", + "column_7": "7%", + "column_8": "–", + "column_9": "-3%", + "durability": "340", + "effects": "Prevents Burning", + "name": "Vigilante Armor", + "resistances": "22%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "1", + "column_6": "5", + "column_7": "5%", + "column_8": "–", + "column_9": "-2%", + "durability": "340", + "effects": "Prevents Hampered", + "name": "Vigilante Boots", + "resistances": "14%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "1", + "column_6": "5", + "column_7": "5%", + "column_8": "5%", + "column_9": "-2%", + "durability": "340", + "effects": "Prevents Confusion", + "name": "Vigilante Helm", + "resistances": "14%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Vigilante Armor", + "22%", + "16%", + "2", + "10", + "7%", + "–", + "-3%", + "340", + "12.0", + "Prevents Burning", + "Body Armor" + ], + [ + "", + "Vigilante Boots", + "14%", + "10%", + "1", + "5", + "5%", + "–", + "-2%", + "340", + "8.0", + "Prevents Hampered", + "Boots" + ], + [ + "", + "Vigilante Helm", + "14%", + "10%", + "1", + "5", + "5%", + "5%", + "-2%", + "340", + "5.0", + "Prevents Confusion", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Column 7", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "35", + "column_6": "3", + "column_7": "5.6", + "damage": "44", + "durability": "350", + "effects": "–", + "name": "Vigilante Axe", + "resist": "–", + "speed": "0.9", + "weight": "4.0" + }, + { + "class": "Bow", + "column_4": "22", + "column_6": "3", + "column_7": "3.22", + "damage": "38", + "durability": "400", + "effects": "–", + "name": "Vigilante Bow", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "Chakram", + "column_4": "53", + "column_6": "2", + "column_7": "–", + "damage": "34", + "durability": "400", + "effects": "–", + "name": "Vigilante Chakram", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Sword", + "column_4": "42", + "column_6": "4", + "column_7": "7.7", + "damage": "52", + "durability": "375", + "effects": "–", + "name": "Vigilante Claymore", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "Dagger", + "column_4": "52", + "column_6": "2", + "column_7": "–", + "damage": "36", + "durability": "300", + "effects": "Crippled", + "name": "Vigilante Dagger", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Axe", + "column_4": "48", + "column_6": "4", + "column_7": "7.7", + "damage": "54", + "durability": "400", + "effects": "–", + "name": "Vigilante Greataxe", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "Halberd", + "column_4": "49", + "column_6": "4", + "column_7": "7", + "damage": "47", + "durability": "400", + "effects": "–", + "name": "Vigilante Halberd", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "2H Mace", + "column_4": "65", + "column_6": "4", + "column_7": "7.7", + "damage": "50", + "durability": "450", + "effects": "–", + "name": "Vigilante Hammer", + "resist": "–", + "speed": "0.9", + "weight": "7.0" + }, + { + "class": "2H Gauntlet", + "column_4": "29", + "column_6": "4", + "column_7": "2.8", + "damage": "27", + "durability": "325", + "effects": "–", + "name": "Vigilante Knuckles", + "resist": "–", + "speed": "0.9", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "55", + "column_6": "3", + "column_7": "5.6", + "damage": "47", + "durability": "400", + "effects": "–", + "name": "Vigilante Mace", + "resist": "–", + "speed": "0.9", + "weight": "5.0" + }, + { + "class": "Pistol", + "column_4": "90", + "column_6": "2", + "column_7": "–", + "damage": "90", + "durability": "200", + "effects": "Crippled", + "name": "Vigilante Pistol", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "Shield", + "column_4": "55", + "column_6": "4", + "column_7": "–", + "damage": "35", + "durability": "260", + "effects": "–", + "name": "Vigilante Shield", + "resist": "21%", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Spear", + "column_4": "40", + "column_6": "4", + "column_7": "5.6", + "damage": "52", + "durability": "325", + "effects": "–", + "name": "Vigilante Spear", + "resist": "–", + "speed": "0.9", + "weight": "5.0" + }, + { + "class": "1H Sword", + "column_4": "35", + "column_6": "3", + "column_7": "4.9", + "damage": "41", + "durability": "300", + "effects": "–", + "name": "Vigilante Sword", + "resist": "–", + "speed": "0.9", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Vigilante Axe", + "44", + "35", + "–", + "3", + "5.6", + "0.9", + "350", + "4.0", + "–", + "1H Axe" + ], + [ + "", + "Vigilante Bow", + "38", + "22", + "–", + "3", + "3.22", + "1.0", + "400", + "3.0", + "–", + "Bow" + ], + [ + "", + "Vigilante Chakram", + "34", + "53", + "–", + "2", + "–", + "1.0", + "400", + "1.0", + "–", + "Chakram" + ], + [ + "", + "Vigilante Claymore", + "52", + "42", + "–", + "4", + "7.7", + "0.9", + "375", + "6.0", + "–", + "2H Sword" + ], + [ + "", + "Vigilante Dagger", + "36", + "52", + "–", + "2", + "–", + "1.0", + "300", + "1.0", + "Crippled", + "Dagger" + ], + [ + "", + "Vigilante Greataxe", + "54", + "48", + "–", + "4", + "7.7", + "0.9", + "400", + "6.0", + "–", + "2H Axe" + ], + [ + "", + "Vigilante Halberd", + "47", + "49", + "–", + "4", + "7", + "0.9", + "400", + "6.0", + "–", + "Halberd" + ], + [ + "", + "Vigilante Hammer", + "50", + "65", + "–", + "4", + "7.7", + "0.9", + "450", + "7.0", + "–", + "2H Mace" + ], + [ + "", + "Vigilante Knuckles", + "27", + "29", + "–", + "4", + "2.8", + "0.9", + "325", + "3.0", + "–", + "2H Gauntlet" + ], + [ + "", + "Vigilante Mace", + "47", + "55", + "–", + "3", + "5.6", + "0.9", + "400", + "5.0", + "–", + "1H Mace" + ], + [ + "", + "Vigilante Pistol", + "90", + "90", + "–", + "2", + "–", + "1.0", + "200", + "1.0", + "Crippled", + "Pistol" + ], + [ + "", + "Vigilante Shield", + "35", + "55", + "21%", + "4", + "–", + "1.0", + "260", + "5.0", + "–", + "Shield" + ], + [ + "", + "Vigilante Spear", + "52", + "40", + "–", + "4", + "5.6", + "0.9", + "325", + "5.0", + "–", + "Spear" + ], + [ + "", + "Vigilante Sword", + "41", + "35", + "–", + "3", + "4.9", + "0.9", + "300", + "4.0", + "–", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "16%", + "column_5": "2", + "column_6": "10", + "column_7": "7%", + "column_8": "–", + "column_9": "-3%", + "durability": "340", + "effects": "Prevents Burning", + "name": "Vigilante Armor", + "resistances": "22%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "1", + "column_6": "5", + "column_7": "5%", + "column_8": "–", + "column_9": "-2%", + "durability": "340", + "effects": "Prevents Hampered", + "name": "Vigilante Boots", + "resistances": "14%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "1", + "column_6": "5", + "column_7": "5%", + "column_8": "5%", + "column_9": "-2%", + "durability": "340", + "effects": "Prevents Confusion", + "name": "Vigilante Helm", + "resistances": "14%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Vigilante Armor", + "22%", + "16%", + "2", + "10", + "7%", + "–", + "-3%", + "340", + "12.0", + "Prevents Burning", + "Body Armor" + ], + [ + "", + "Vigilante Boots", + "14%", + "10%", + "1", + "5", + "5%", + "–", + "-2%", + "340", + "8.0", + "Prevents Hampered", + "Boots" + ], + [ + "", + "Vigilante Helm", + "14%", + "10%", + "1", + "5", + "5%", + "5%", + "-2%", + "340", + "5.0", + "Prevents Confusion", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Column 7", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "35", + "column_6": "3", + "column_7": "5.6", + "damage": "44", + "durability": "350", + "effects": "–", + "name": "Vigilante Axe", + "resist": "–", + "speed": "0.9", + "weight": "4.0" + }, + { + "class": "Bow", + "column_4": "22", + "column_6": "3", + "column_7": "3.22", + "damage": "38", + "durability": "400", + "effects": "–", + "name": "Vigilante Bow", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "Chakram", + "column_4": "53", + "column_6": "2", + "column_7": "–", + "damage": "34", + "durability": "400", + "effects": "–", + "name": "Vigilante Chakram", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Sword", + "column_4": "42", + "column_6": "4", + "column_7": "7.7", + "damage": "52", + "durability": "375", + "effects": "–", + "name": "Vigilante Claymore", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "Dagger", + "column_4": "52", + "column_6": "2", + "column_7": "–", + "damage": "36", + "durability": "300", + "effects": "Crippled", + "name": "Vigilante Dagger", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "2H Axe", + "column_4": "48", + "column_6": "4", + "column_7": "7.7", + "damage": "54", + "durability": "400", + "effects": "–", + "name": "Vigilante Greataxe", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "Halberd", + "column_4": "49", + "column_6": "4", + "column_7": "7", + "damage": "47", + "durability": "400", + "effects": "–", + "name": "Vigilante Halberd", + "resist": "–", + "speed": "0.9", + "weight": "6.0" + }, + { + "class": "2H Mace", + "column_4": "65", + "column_6": "4", + "column_7": "7.7", + "damage": "50", + "durability": "450", + "effects": "–", + "name": "Vigilante Hammer", + "resist": "–", + "speed": "0.9", + "weight": "7.0" + }, + { + "class": "2H Gauntlet", + "column_4": "29", + "column_6": "4", + "column_7": "2.8", + "damage": "27", + "durability": "325", + "effects": "–", + "name": "Vigilante Knuckles", + "resist": "–", + "speed": "0.9", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "55", + "column_6": "3", + "column_7": "5.6", + "damage": "47", + "durability": "400", + "effects": "–", + "name": "Vigilante Mace", + "resist": "–", + "speed": "0.9", + "weight": "5.0" + }, + { + "class": "Pistol", + "column_4": "90", + "column_6": "2", + "column_7": "–", + "damage": "90", + "durability": "200", + "effects": "Crippled", + "name": "Vigilante Pistol", + "resist": "–", + "speed": "1.0", + "weight": "1.0" + }, + { + "class": "Shield", + "column_4": "55", + "column_6": "4", + "column_7": "–", + "damage": "35", + "durability": "260", + "effects": "–", + "name": "Vigilante Shield", + "resist": "21%", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Spear", + "column_4": "40", + "column_6": "4", + "column_7": "5.6", + "damage": "52", + "durability": "325", + "effects": "–", + "name": "Vigilante Spear", + "resist": "–", + "speed": "0.9", + "weight": "5.0" + }, + { + "class": "1H Sword", + "column_4": "35", + "column_6": "3", + "column_7": "4.9", + "damage": "41", + "durability": "300", + "effects": "–", + "name": "Vigilante Sword", + "resist": "–", + "speed": "0.9", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "Vigilante Axe", + "44", + "35", + "–", + "3", + "5.6", + "0.9", + "350", + "4.0", + "–", + "1H Axe" + ], + [ + "", + "Vigilante Bow", + "38", + "22", + "–", + "3", + "3.22", + "1.0", + "400", + "3.0", + "–", + "Bow" + ], + [ + "", + "Vigilante Chakram", + "34", + "53", + "–", + "2", + "–", + "1.0", + "400", + "1.0", + "–", + "Chakram" + ], + [ + "", + "Vigilante Claymore", + "52", + "42", + "–", + "4", + "7.7", + "0.9", + "375", + "6.0", + "–", + "2H Sword" + ], + [ + "", + "Vigilante Dagger", + "36", + "52", + "–", + "2", + "–", + "1.0", + "300", + "1.0", + "Crippled", + "Dagger" + ], + [ + "", + "Vigilante Greataxe", + "54", + "48", + "–", + "4", + "7.7", + "0.9", + "400", + "6.0", + "–", + "2H Axe" + ], + [ + "", + "Vigilante Halberd", + "47", + "49", + "–", + "4", + "7", + "0.9", + "400", + "6.0", + "–", + "Halberd" + ], + [ + "", + "Vigilante Hammer", + "50", + "65", + "–", + "4", + "7.7", + "0.9", + "450", + "7.0", + "–", + "2H Mace" + ], + [ + "", + "Vigilante Knuckles", + "27", + "29", + "–", + "4", + "2.8", + "0.9", + "325", + "3.0", + "–", + "2H Gauntlet" + ], + [ + "", + "Vigilante Mace", + "47", + "55", + "–", + "3", + "5.6", + "0.9", + "400", + "5.0", + "–", + "1H Mace" + ], + [ + "", + "Vigilante Pistol", + "90", + "90", + "–", + "2", + "–", + "1.0", + "200", + "1.0", + "Crippled", + "Pistol" + ], + [ + "", + "Vigilante Shield", + "35", + "55", + "21%", + "4", + "–", + "1.0", + "260", + "5.0", + "–", + "Shield" + ], + [ + "", + "Vigilante Spear", + "52", + "40", + "–", + "4", + "5.6", + "0.9", + "325", + "5.0", + "–", + "Spear" + ], + [ + "", + "Vigilante Sword", + "41", + "35", + "–", + "3", + "4.9", + "0.9", + "300", + "4.0", + "–", + "1H Sword" + ] + ] + } + ], + "description": "Vigilante Set is a Set in Outward. These items are Legacy Chest upgrades of the Militia Set." + }, + { + "name": "Vigilante Shield", + "url": "https://outward.fandom.com/wiki/Vigilante_Shield", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Shields", + "DLC": "The Three Brothers", + "Damage": "35", + "Durability": "260", + "Impact": "55", + "Impact Resist": "21%", + "Item Set": "Vigilante Set", + "Object ID": "2300355", + "Protection": "4", + "Sell": "600", + "Type": "Off-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d3/Vigilante_Shield.png/revision/latest/scale-to-width-down/83?cb=20201220075412", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Shield", + "upgrade": "Vigilante Shield" + } + ], + "raw_rows": [ + [ + "Militia Shield", + "Vigilante Shield" + ] + ] + } + ], + "description": "Vigilante Shield is a type of Weapon in Outward." + }, + { + "name": "Vigilante Spear", + "url": "https://outward.fandom.com/wiki/Vigilante_Spear", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2500", + "Class": "Spears", + "DLC": "The Three Brothers", + "Damage": "52", + "Durability": "325", + "Impact": "40", + "Item Set": "Vigilante Set", + "Object ID": "2130305", + "Protection": "4", + "Sell": "750", + "Stamina Cost": "5.6", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b5/Vigilante_Spear.png/revision/latest/scale-to-width-down/83?cb=20201220075413", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "52", + "description": "Two forward-thrusting stabs", + "impact": "40", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7", + "damage": "72.8", + "description": "Forward-lunging strike", + "impact": "48", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "67.6", + "description": "Left-sweeping strike, jump back", + "impact": "48", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "62.4", + "description": "Fast spinning strike from the right", + "impact": "44", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "52", + "40", + "5.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "72.8", + "48", + "7", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "67.6", + "48", + "7", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "62.4", + "44", + "7", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Spear", + "upgrade": "Vigilante Spear" + } + ], + "raw_rows": [ + [ + "Militia Spear", + "Vigilante Spear" + ] + ] + } + ], + "description": "Vigilante Spear is a type of Weapon in Outward. Can be used for Fishing." + }, + { + "name": "Vigilante Sword", + "url": "https://outward.fandom.com/wiki/Vigilante_Sword", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "2000", + "Class": "Swords", + "DLC": "The Three Brothers", + "Damage": "41", + "Durability": "300", + "Impact": "35", + "Item Set": "Vigilante Set", + "Object ID": "2000305", + "Protection": "3", + "Sell": "600", + "Stamina Cost": "4.9", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/1a/Vigilante_Sword.png/revision/latest/scale-to-width-down/83?cb=20201220075414", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.9", + "damage": "41", + "description": "Two slash attacks, left to right", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.88", + "damage": "61.3", + "description": "Forward-thrusting strike", + "impact": "45.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "51.86", + "description": "Heavy left-lunging strike", + "impact": "38.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.39", + "damage": "51.86", + "description": "Heavy right-lunging strike", + "impact": "38.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "41", + "35", + "4.9", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "61.3", + "45.5", + "5.88", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "51.86", + "38.5", + "5.39", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "51.86", + "38.5", + "5.39", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon inflicts Plague (20% buildup)", + "enchantment": "Contagion" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Contagion", + "Weapon inflicts Plague (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Militia Sword", + "upgrade": "Vigilante Sword" + } + ], + "raw_rows": [ + [ + "Militia Sword", + "Vigilante Sword" + ] + ] + } + ], + "description": "Vigilante Sword is a type of Weapon in Outward." + }, + { + "name": "Virgin Armor", + "url": "https://outward.fandom.com/wiki/Virgin_Armor", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "550", + "DLC": "The Soroboreans", + "Damage Resist": "18%", + "Durability": "300", + "Impact Resist": "16%", + "Item Set": "Virgin Set", + "Movement Speed": "-3%", + "Object ID": "3100260", + "Protection": "2", + "Sell": "165", + "Slot": "Chest", + "Weight": "12" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/02/Virgin_Armor.png/revision/latest/scale-to-width-down/83?cb=20200616185657", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second", + "enchantment": "Arcane Unison" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots", + "enchantment": "Beast of Burden" + }, + { + "effects": "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense", + "enchantment": "Cocoon" + }, + { + "effects": "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)", + "enchantment": "Economy" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)", + "enchantment": "Formless Material" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance", + "enchantment": "Inner Warmth" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus", + "enchantment": "Warmaster" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Arcane Unison", + "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Beast of Burden", + "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots" + ], + [ + "Cocoon", + "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense" + ], + [ + "Economy", + "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Formless Material", + "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)" + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Inner Warmth", + "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Warmaster", + "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Armor is a type of Equipment in Outward." + }, + { + "name": "Virgin Axe", + "url": "https://outward.fandom.com/wiki/Virgin_Axe", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "33", + "Durability": "275", + "Impact": "24", + "Item Set": "Virgin Set", + "Object ID": "2010170", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ee/Virgin_Axe.png/revision/latest/scale-to-width-down/83?cb=20200616185659", + "recipes": [ + { + "result": "Virgin Axe", + "result_count": "1x", + "ingredients": [ + "Gold Hatchet", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Virgin Axe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "33", + "description": "Two slashing strikes, right to left", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.24", + "damage": "42.9", + "description": "Fast, triple-attack strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "42.9", + "description": "Quick double strike", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "42.9", + "description": "Wide-sweeping double strike", + "impact": "31.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "24", + "5.2", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "42.9", + "31.2", + "6.24", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "42.9", + "31.2", + "6.24", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "42.9", + "31.2", + "6.24", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gold Hatchet Palladium Scrap Palladium Scrap Pure Chitin", + "result": "1x Virgin Axe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Virgin Axe", + "Gold Hatchet Palladium Scrap Palladium Scrap Pure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Forge Fire" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Priest's Prayers" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Scourge's Outbreak" + }, + { + "effects": "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Specter's Wail" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact.", + "enchantment": "Wendigo's Breath" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Forge Fire", + "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Priest's Prayers", + "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Scourge's Outbreak", + "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Specter's Wail", + "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Wendigo's Breath", + "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact." + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1 - 4", + "37.6%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Axe is a type of Weapon in Outward." + }, + { + "name": "Virgin Boots", + "url": "https://outward.fandom.com/wiki/Virgin_Boots", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "300", + "DLC": "The Soroboreans", + "Damage Resist": "12%", + "Durability": "300", + "Impact Resist": "10%", + "Item Set": "Virgin Set", + "Object ID": "3100262", + "Protection": "1", + "Sell": "90", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d7/Virgin_Boots.png/revision/latest/scale-to-width-down/83?cb=20200616185701", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second", + "enchantment": "Arcane Unison" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots", + "enchantment": "Beast of Burden" + }, + { + "effects": "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense", + "enchantment": "Cocoon" + }, + { + "effects": "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)", + "enchantment": "Economy" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)", + "enchantment": "Formless Material" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance", + "enchantment": "Inner Warmth" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus", + "enchantment": "Warmaster" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Arcane Unison", + "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Beast of Burden", + "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots" + ], + [ + "Cocoon", + "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense" + ], + [ + "Economy", + "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Formless Material", + "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Inner Warmth", + "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Warmaster", + "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Boots is a type of Equipment in Outward." + }, + { + "name": "Virgin Greataxe", + "url": "https://outward.fandom.com/wiki/Virgin_Greataxe", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "38", + "Durability": "350", + "Impact": "34", + "Item Set": "Virgin Set", + "Object ID": "2110150", + "Sell": "300", + "Stamina Cost": "7.15", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9a/Virgin_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20200616185707", + "recipes": [ + { + "result": "Virgin Greataxe", + "result_count": "1x", + "ingredients": [ + "Gold Greataxe", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Virgin Greataxe" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.15", + "damage": "38", + "description": "Two slashing strikes, left to right", + "impact": "34", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.83", + "damage": "49.4", + "description": "Uppercut strike into right sweep strike", + "impact": "44.2", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.83", + "damage": "49.4", + "description": "Left-spinning double strike", + "impact": "44.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.65", + "damage": "49.4", + "description": "Right-spinning double strike", + "impact": "44.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "38", + "34", + "7.15", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "49.4", + "44.2", + "9.83", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "49.4", + "44.2", + "9.83", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "49.4", + "44.2", + "9.65", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gold Greataxe Palladium Scrap Palladium Scrap Pure Chitin", + "result": "1x Virgin Greataxe", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Virgin Greataxe", + "Gold Greataxe Palladium Scrap Palladium Scrap Pure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Forge Fire" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Priest's Prayers" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Scourge's Outbreak" + }, + { + "effects": "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Specter's Wail" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact.", + "enchantment": "Wendigo's Breath" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Forge Fire", + "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Priest's Prayers", + "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Scourge's Outbreak", + "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Specter's Wail", + "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Wendigo's Breath", + "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact." + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1 - 4", + "37.6%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Greataxe is a type of Weapon in Outward." + }, + { + "name": "Virgin Greatmace", + "url": "https://outward.fandom.com/wiki/Virgin_Greatmace", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "35", + "Durability": "400", + "Impact": "47", + "Item Set": "Virgin Set", + "Object ID": "2120180", + "Sell": "300", + "Stamina Cost": "7.15", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a2/Virgin_Greatmace.png/revision/latest/scale-to-width-down/83?cb=20200616185709", + "recipes": [ + { + "result": "Virgin Greatmace", + "result_count": "1x", + "ingredients": [ + "Brutal Greatmace", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Virgin Greatmace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.15", + "damage": "35", + "description": "Two slashing strikes, left to right", + "impact": "47", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "26.25", + "description": "Blunt strike with high impact", + "impact": "94", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "49", + "description": "Powerful overhead strike", + "impact": "65.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "49", + "description": "Forward-running uppercut strike", + "impact": "65.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "35", + "47", + "7.15", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "26.25", + "94", + "8.58", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "49", + "65.8", + "8.58", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "49", + "65.8", + "8.58", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Brutal Greatmace Palladium Scrap Palladium Scrap Pure Chitin", + "result": "1x Virgin Greatmace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Virgin Greatmace", + "Brutal Greatmace Palladium Scrap Palladium Scrap Pure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Forge Fire" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Priest's Prayers" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Scourge's Outbreak" + }, + { + "effects": "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Specter's Wail" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact.", + "enchantment": "Wendigo's Breath" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Forge Fire", + "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Priest's Prayers", + "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Scourge's Outbreak", + "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Specter's Wail", + "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Wendigo's Breath", + "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact." + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1 - 4", + "37.6%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Greatmace is a type of Weapon in Outward." + }, + { + "name": "Virgin Greatsword", + "url": "https://outward.fandom.com/wiki/Virgin_Greatsword", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Swords", + "DLC": "The Soroboreans", + "Damage": "37", + "Durability": "300", + "Impact": "37", + "Item Set": "Virgin Set", + "Object ID": "2100190", + "Sell": "300", + "Stamina Cost": "7.15", + "Type": "Two-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Virgin_Greatsword.png/revision/latest/scale-to-width-down/83?cb=20200616185711", + "recipes": [ + { + "result": "Virgin Greatsword", + "result_count": "1x", + "ingredients": [ + "Prayer Claymore", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Virgin Greatsword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.15", + "damage": "37", + "description": "Two slashing strikes, left to right", + "impact": "37", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.3", + "damage": "55.5", + "description": "Overhead downward-thrusting strike", + "impact": "55.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.87", + "damage": "46.81", + "description": "Spinning strike from the right", + "impact": "40.7", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.87", + "damage": "46.81", + "description": "Spinning strike from the left", + "impact": "40.7", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37", + "37", + "7.15", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "55.5", + "55.5", + "9.3", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "46.81", + "40.7", + "7.87", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "46.81", + "40.7", + "7.87", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Prayer Claymore Palladium Scrap Palladium Scrap Pure Chitin", + "result": "1x Virgin Greatsword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Virgin Greatsword", + "Prayer Claymore Palladium Scrap Palladium Scrap Pure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Forge Fire" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Priest's Prayers" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Scourge's Outbreak" + }, + { + "effects": "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Specter's Wail" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact.", + "enchantment": "Wendigo's Breath" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Forge Fire", + "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Priest's Prayers", + "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Scourge's Outbreak", + "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Specter's Wail", + "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Wendigo's Breath", + "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact." + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1 - 4", + "37.6%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Greatsword is a type of Weapon in Outward." + }, + { + "name": "Virgin Halberd", + "url": "https://outward.fandom.com/wiki/Virgin_Halberd", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "DLC": "The Soroboreans", + "Damage": "34", + "Durability": "325", + "Impact": "40", + "Item Set": "Virgin Set", + "Object ID": "2140160", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Halberd", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e9/Virgin_Halberd.png/revision/latest/scale-to-width-down/83?cb=20200616185713", + "recipes": [ + { + "result": "Virgin Halberd", + "result_count": "1x", + "ingredients": [ + "Gold Guisarme", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Virgin Halberd" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "34", + "description": "Two wide-sweeping strikes, left to right", + "impact": "40", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "44.2", + "description": "Forward-thrusting strike", + "impact": "52", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "44.2", + "description": "Wide-sweeping strike from left", + "impact": "52", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "57.8", + "description": "Slow but powerful sweeping strike", + "impact": "68", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34", + "40", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "44.2", + "52", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "44.2", + "52", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "57.8", + "68", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gold Guisarme Palladium Scrap Palladium Scrap Pure Chitin", + "result": "1x Virgin Halberd", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Virgin Halberd", + "Gold Guisarme Palladium Scrap Palladium Scrap Pure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Forge Fire" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Priest's Prayers" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Scourge's Outbreak" + }, + { + "effects": "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Specter's Wail" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact.", + "enchantment": "Wendigo's Breath" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Forge Fire", + "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Priest's Prayers", + "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Scourge's Outbreak", + "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Specter's Wail", + "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Wendigo's Breath", + "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact." + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1 - 4", + "37.6%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Halberd is a type of Weapon in Outward." + }, + { + "name": "Virgin Helmet", + "url": "https://outward.fandom.com/wiki/Virgin_Helmet", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "DLC": "The Soroboreans", + "Damage Resist": "12%", + "Durability": "300", + "Impact Resist": "10%", + "Item Set": "Virgin Set", + "Movement Speed": "-2%", + "Object ID": "3100261", + "Protection": "1", + "Sell": "90", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cb/Virgin_Helmet.png/revision/latest/scale-to-width-down/83?cb=20200616185715", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second", + "enchantment": "Arcane Unison" + }, + { + "effects": "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots", + "enchantment": "Assassin" + }, + { + "effects": "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots", + "enchantment": "Beast of Burden" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense", + "enchantment": "Cocoon" + }, + { + "effects": "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)", + "enchantment": "Economy" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)", + "enchantment": "Formless Material" + }, + { + "effects": "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance", + "enchantment": "Inner Cool" + }, + { + "effects": "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance", + "enchantment": "Inner Warmth" + }, + { + "effects": "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance", + "enchantment": "Rascal's Verve" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus", + "enchantment": "Warmaster" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Arcane Unison", + "Gain +5% Cooldown ReductionGain passive +0.1 Mana Mana restoration per second" + ], + [ + "Assassin", + "Gain +10% Physical damage bonus on Body Armor, and 5% bonus on Helmet or BootsGain +10% Impact damage bonus on Body Armor, and 5% bonus on Helmet or Boots" + ], + [ + "Beast of Burden", + "Adds +7 Pouch Bonus on Body Armor, and +3 Pouch Bonus on Helmets or BootsAdds +8% Physical resistance on Body Armor, and +5% on Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Cocoon", + "On Body Armor: +2 Protection, +6 Hot Weather Defense, +6 Cold Weather DefenseOn Helmets: +2 Protection, +4 Hot Weather Defense, +2 Cold Weather DefenseOn Boots: +2 Protection, +2 Hot Weather Defense, +4 Cold Weather Defense" + ], + [ + "Economy", + "Body Armor: Gain +15% Mana cost reduction (-15% mana costs)Helmet/Boots: Gain +10% Mana cost reduction (-10% mana costs)Any: Gain +10% Stamina cost reduction (-10% stamina costs)" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Formless Material", + "Body Armors: +20% Fire and +20% Frost damage resistance, flat -7 Weight (of the item)Helmets: +10% Ethereal damage resistance, +10% Impact resistance, and flat -3 Weight (of the item)Boots: +20% Lightning and +20% Decay damage resistance, and flat -5 Weight (of the item)" + ], + [ + "Inner Cool", + "Body Armor: +15% Frost damage bonusHelmet/Boots: +10% Frost damage bonusAny: -15% Lightning damage resistance" + ], + [ + "Inner Warmth", + "Body Armor: +15% Fire damage bonusHelmet/Boots: +10% Fire damage bonusAny: -15% Ethereal damage resistance" + ], + [ + "Rascal's Verve", + "Body Armor: Gain +2 Protection, +10% Impact damage bonus and +13% Impact resistanceHelmet: Gain +1 Protection, +10% Impact damage bonus and +7% Impact resistanceBoots: Gain +1 Protection, +10% Impact damage bonus and +8% Impact resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Warmaster", + "Body Armors: Gain +2 Protection and +10% Physical damage bonusHelmets/Boots: Gain +1 Protection and +5% Physical damage bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1", + "100%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Helmet is a type of Equipment in Outward." + }, + { + "name": "Virgin Knuckles", + "url": "https://outward.fandom.com/wiki/Virgin_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "27", + "Durability": "300", + "Impact": "17", + "Item Set": "Virgin Set", + "Object ID": "2160130", + "Sell": "240", + "Stamina Cost": "2.6", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.6", + "damage": "27", + "description": "Four fast punches, right to left", + "impact": "17", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.38", + "damage": "35.1", + "description": "Forward-lunging left hook", + "impact": "22.1", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "35.1", + "description": "Left dodging, left uppercut", + "impact": "22.1", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "35.1", + "description": "Right dodging, right spinning hammer strike", + "impact": "22.1", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "27", + "17", + "2.6", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "35.1", + "22.1", + "3.38", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "35.1", + "22.1", + "3.12", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "35.1", + "22.1", + "3.12", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Forge Fire" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Priest's Prayers" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Scourge's Outbreak" + }, + { + "effects": "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Specter's Wail" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact.", + "enchantment": "Wendigo's Breath" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Forge Fire", + "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Priest's Prayers", + "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Scourge's Outbreak", + "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Specter's Wail", + "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Wendigo's Breath", + "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact." + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1 - 4", + "37.6%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Knuckles is a type of Weapon in Outward." + }, + { + "name": "Virgin Lantern", + "url": "https://outward.fandom.com/wiki/Virgin_Lantern", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Equipment", + "Lanterns" + ], + "infobox": { + "Buy": "25", + "Class": "Lanterns", + "DLC": "The Soroboreans", + "Durability": "200", + "Effects": "Passively regains Fuel over time when Enchanted", + "Item Set": "Virgin Set", + "Object ID": "5100100", + "Sell": "8", + "Type": "Throwable", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/0c/Virgin_Lantern.png/revision/latest/scale-to-width-down/83?cb=20200616185719", + "effects": [ + "If the lantern is Enchanted, it will passively gain Fuel over time, but only if it is equipped in your Hand or visible on your Backpack, and not lit." + ], + "recipes": [ + { + "result": "Virgin Lantern", + "result_count": "1x", + "ingredients": [ + "Virgin Lantern", + "Crystal Powder" + ], + "station": "None", + "source_page": "Virgin Lantern" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Virgin Lantern Crystal Powder", + "result": "1x Virgin Lantern", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Virgin Lantern", + "Virgin Lantern Crystal Powder", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Changes the color of the lantern to white and effects of Flamethrower to Lightning. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit.", + "enchantment": "Angel Light" + }, + { + "effects": "Changes the color of the lantern to blue and effects of Flamethrower to Frost. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit.", + "enchantment": "Blaze Blue" + }, + { + "effects": "Changes the color of the lantern to green and effects of Flamethrower to Rust. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit.", + "enchantment": "Copper Flame" + }, + { + "effects": "Changes the color of the lantern to Red and effects of Flamethrower to Decay. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit.", + "enchantment": "Sanguine Flame" + } + ], + "raw_rows": [ + [ + "Angel Light", + "Changes the color of the lantern to white and effects of Flamethrower to Lightning. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit." + ], + [ + "Blaze Blue", + "Changes the color of the lantern to blue and effects of Flamethrower to Frost. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit." + ], + [ + "Copper Flame", + "Changes the color of the lantern to green and effects of Flamethrower to Rust. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit." + ], + [ + "Sanguine Flame", + "Changes the color of the lantern to Red and effects of Flamethrower to Decay. See Flamethrower article for more detailsLantern can no longer be refueled, however it passively gains fuel when equipped but not lit." + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "David Parks, Craftsman" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "1 - 2", + "100%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Lantern is a type of Equipment in Outward." + }, + { + "name": "Virgin Mace", + "url": "https://outward.fandom.com/wiki/Virgin_Mace", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "34", + "Durability": "350", + "Impact": "36", + "Item Set": "Virgin Set", + "Object ID": "2020210", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/1/17/Virgin_Mace.png/revision/latest/scale-to-width-down/83?cb=20200616185721", + "recipes": [ + { + "result": "Virgin Mace", + "result_count": "1x", + "ingredients": [ + "Gold Club", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Virgin Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "34", + "description": "Two wide-sweeping strikes, right to left", + "impact": "36", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "44.2", + "description": "Slow, overhead strike with high impact", + "impact": "90", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "44.2", + "description": "Fast, forward-thrusting strike", + "impact": "46.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "44.2", + "description": "Fast, forward-thrusting strike", + "impact": "46.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "34", + "36", + "5.2", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "44.2", + "90", + "6.76", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "44.2", + "46.8", + "6.76", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "44.2", + "46.8", + "6.76", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gold Club Palladium Scrap Palladium Scrap Pure Chitin", + "result": "1x Virgin Mace", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Virgin Mace", + "Gold Club Palladium Scrap Palladium Scrap Pure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Forge Fire" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Priest's Prayers" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Scourge's Outbreak" + }, + { + "effects": "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Specter's Wail" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact.", + "enchantment": "Wendigo's Breath" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Forge Fire", + "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Priest's Prayers", + "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Scourge's Outbreak", + "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Specter's Wail", + "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Wendigo's Breath", + "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact." + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1 - 4", + "37.6%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Mace is a type of Weapon in Outward." + }, + { + "name": "Virgin Set", + "url": "https://outward.fandom.com/wiki/Virgin_Set", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1150", + "DLC": "The Soroboreans", + "Damage Resist": "42%", + "Durability": "900", + "Impact Resist": "36%", + "Movement Speed": "-5%", + "Object ID": "3100260 (Chest)3100262 (Legs)3100261 (Head)", + "Protection": "4", + "Sell": "345", + "Slot": "Set", + "Stamina Cost": "4%", + "Weight": "25.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e1/Virgin_Set.png/revision/latest/scale-to-width-down/250?cb=20201231064154", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "16%", + "column_5": "2", + "column_6": "–", + "column_7": "-3%", + "durability": "300", + "name": "Virgin Armor", + "resistances": "18%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "1", + "column_6": "2%", + "column_7": "–", + "durability": "300", + "name": "Virgin Boots", + "resistances": "12%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "1", + "column_6": "2%", + "column_7": "-2%", + "durability": "300", + "name": "Virgin Helmet", + "resistances": "12%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Virgin Armor", + "18%", + "16%", + "2", + "–", + "-3%", + "300", + "12.0", + "Body Armor" + ], + [ + "", + "Virgin Boots", + "12%", + "10%", + "1", + "2%", + "–", + "300", + "8.0", + "Boots" + ], + [ + "", + "Virgin Helmet", + "12%", + "10%", + "1", + "2%", + "-2%", + "300", + "5.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "24", + "column_5": "5.2", + "damage": "33", + "durability": "275", + "name": "Virgin Axe", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "2H Axe", + "column_4": "34", + "column_5": "7.15", + "damage": "38", + "durability": "350", + "name": "Virgin Greataxe", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "2H Mace", + "column_4": "47", + "column_5": "7.15", + "damage": "35", + "durability": "400", + "name": "Virgin Greatmace", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Sword", + "column_4": "37", + "column_5": "7.15", + "damage": "37", + "durability": "300", + "name": "Virgin Greatsword", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Halberd", + "column_4": "40", + "column_5": "6.5", + "damage": "34", + "durability": "325", + "name": "Virgin Halberd", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "2H Gauntlet", + "column_4": "17", + "column_5": "2.6", + "damage": "27", + "durability": "300", + "name": "Virgin Knuckles", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "36", + "column_5": "5.2", + "damage": "34", + "durability": "350", + "name": "Virgin Mace", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Spear", + "column_4": "24", + "column_5": "5.2", + "damage": "37", + "durability": "250", + "name": "Virgin Spear", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "1H Sword", + "column_4": "23", + "column_5": "4.55", + "damage": "31", + "durability": "225", + "name": "Virgin Sword", + "speed": "1.0", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Virgin Axe", + "33", + "24", + "5.2", + "1.0", + "275", + "3.0", + "1H Axe" + ], + [ + "", + "Virgin Greataxe", + "38", + "34", + "7.15", + "1.0", + "350", + "5.0", + "2H Axe" + ], + [ + "", + "Virgin Greatmace", + "35", + "47", + "7.15", + "1.0", + "400", + "6.0", + "2H Mace" + ], + [ + "", + "Virgin Greatsword", + "37", + "37", + "7.15", + "1.0", + "300", + "5.0", + "2H Sword" + ], + [ + "", + "Virgin Halberd", + "34", + "40", + "6.5", + "1.0", + "325", + "5.0", + "Halberd" + ], + [ + "", + "Virgin Knuckles", + "27", + "17", + "2.6", + "1.0", + "300", + "3.0", + "2H Gauntlet" + ], + [ + "", + "Virgin Mace", + "34", + "36", + "5.2", + "1.0", + "350", + "4.0", + "1H Mace" + ], + [ + "", + "Virgin Spear", + "37", + "24", + "5.2", + "1.0", + "250", + "4.0", + "Spear" + ], + [ + "", + "Virgin Sword", + "31", + "23", + "4.55", + "1.0", + "225", + "3.0", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Lantern", + "durability": "200", + "effects": "Passively regains Fuel over time when Enchanted", + "name": "Virgin Lantern", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Virgin Lantern", + "200", + "1.0", + "Passively regains Fuel over time when Enchanted", + "Lantern" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "16%", + "column_5": "2", + "column_6": "–", + "column_7": "-3%", + "durability": "300", + "name": "Virgin Armor", + "resistances": "18%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_4": "10%", + "column_5": "1", + "column_6": "2%", + "column_7": "–", + "durability": "300", + "name": "Virgin Boots", + "resistances": "12%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_4": "10%", + "column_5": "1", + "column_6": "2%", + "column_7": "-2%", + "durability": "300", + "name": "Virgin Helmet", + "resistances": "12%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Virgin Armor", + "18%", + "16%", + "2", + "–", + "-3%", + "300", + "12.0", + "Body Armor" + ], + [ + "", + "Virgin Boots", + "12%", + "10%", + "1", + "2%", + "–", + "300", + "8.0", + "Boots" + ], + [ + "", + "Virgin Helmet", + "12%", + "10%", + "1", + "2%", + "-2%", + "300", + "5.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "24", + "column_5": "5.2", + "damage": "33", + "durability": "275", + "name": "Virgin Axe", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "2H Axe", + "column_4": "34", + "column_5": "7.15", + "damage": "38", + "durability": "350", + "name": "Virgin Greataxe", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "2H Mace", + "column_4": "47", + "column_5": "7.15", + "damage": "35", + "durability": "400", + "name": "Virgin Greatmace", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "2H Sword", + "column_4": "37", + "column_5": "7.15", + "damage": "37", + "durability": "300", + "name": "Virgin Greatsword", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Halberd", + "column_4": "40", + "column_5": "6.5", + "damage": "34", + "durability": "325", + "name": "Virgin Halberd", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "2H Gauntlet", + "column_4": "17", + "column_5": "2.6", + "damage": "27", + "durability": "300", + "name": "Virgin Knuckles", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "36", + "column_5": "5.2", + "damage": "34", + "durability": "350", + "name": "Virgin Mace", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Spear", + "column_4": "24", + "column_5": "5.2", + "damage": "37", + "durability": "250", + "name": "Virgin Spear", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "1H Sword", + "column_4": "23", + "column_5": "4.55", + "damage": "31", + "durability": "225", + "name": "Virgin Sword", + "speed": "1.0", + "weight": "3.0" + } + ], + "raw_rows": [ + [ + "", + "Virgin Axe", + "33", + "24", + "5.2", + "1.0", + "275", + "3.0", + "1H Axe" + ], + [ + "", + "Virgin Greataxe", + "38", + "34", + "7.15", + "1.0", + "350", + "5.0", + "2H Axe" + ], + [ + "", + "Virgin Greatmace", + "35", + "47", + "7.15", + "1.0", + "400", + "6.0", + "2H Mace" + ], + [ + "", + "Virgin Greatsword", + "37", + "37", + "7.15", + "1.0", + "300", + "5.0", + "2H Sword" + ], + [ + "", + "Virgin Halberd", + "34", + "40", + "6.5", + "1.0", + "325", + "5.0", + "Halberd" + ], + [ + "", + "Virgin Knuckles", + "27", + "17", + "2.6", + "1.0", + "300", + "3.0", + "2H Gauntlet" + ], + [ + "", + "Virgin Mace", + "34", + "36", + "5.2", + "1.0", + "350", + "4.0", + "1H Mace" + ], + [ + "", + "Virgin Spear", + "37", + "24", + "5.2", + "1.0", + "250", + "4.0", + "Spear" + ], + [ + "", + "Virgin Sword", + "31", + "23", + "4.55", + "1.0", + "225", + "3.0", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Lantern", + "durability": "200", + "effects": "Passively regains Fuel over time when Enchanted", + "name": "Virgin Lantern", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Virgin Lantern", + "200", + "1.0", + "Passively regains Fuel over time when Enchanted", + "Lantern" + ] + ] + } + ], + "description": "Virgin Set is a Set in Outward." + }, + { + "name": "Virgin Spear", + "url": "https://outward.fandom.com/wiki/Virgin_Spear", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Spears", + "DLC": "The Soroboreans", + "Damage": "37", + "Durability": "250", + "Impact": "24", + "Item Set": "Virgin Set", + "Object ID": "2130200", + "Sell": "300", + "Stamina Cost": "5.2", + "Type": "Two-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4f/Virgin_Spear.png/revision/latest/scale-to-width-down/83?cb=20200616185725", + "recipes": [ + { + "result": "Virgin Spear", + "result_count": "1x", + "ingredients": [ + "Gold Harpoon", + "Palladium Scrap", + "Palladium Scrap", + "Pure Chitin" + ], + "station": "None", + "source_page": "Virgin Spear" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "37", + "description": "Two forward-thrusting stabs", + "impact": "24", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "51.8", + "description": "Forward-lunging strike", + "impact": "28.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "48.1", + "description": "Left-sweeping strike, jump back", + "impact": "28.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "44.4", + "description": "Fast spinning strike from the right", + "impact": "26.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37", + "24", + "5.2", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "51.8", + "28.8", + "6.5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "48.1", + "28.8", + "6.5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "44.4", + "26.4", + "6.5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gold Harpoon Palladium Scrap Palladium Scrap Pure Chitin", + "result": "1x Virgin Spear", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Virgin Spear", + "Gold Harpoon Palladium Scrap Palladium Scrap Pure Chitin", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Forge Fire" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Priest's Prayers" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Scourge's Outbreak" + }, + { + "effects": "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Specter's Wail" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact.", + "enchantment": "Wendigo's Breath" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Forge Fire", + "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Priest's Prayers", + "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Scourge's Outbreak", + "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Specter's Wail", + "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Wendigo's Breath", + "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact." + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1 - 4", + "37.6%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Spear is a type of Weapon in Outward." + }, + { + "name": "Virgin Sword", + "url": "https://outward.fandom.com/wiki/Virgin_Sword", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Swords", + "DLC": "The Soroboreans", + "Damage": "31", + "Durability": "225", + "Impact": "23", + "Item Set": "Virgin Set", + "Object ID": "2000200", + "Sell": "240", + "Stamina Cost": "4.55", + "Type": "One-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/0/09/Virgin_Sword.png/revision/latest/scale-to-width-down/83?cb=20200616185728", + "recipes": [ + { + "result": "Virgin Sword", + "result_count": "1x", + "ingredients": [ + "Gold Machete", + "Pure Chitin", + "Palladium Scrap", + "Palladium Scrap" + ], + "station": "None", + "source_page": "Virgin Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.55", + "damage": "31", + "description": "Two slash attacks, left to right", + "impact": "23", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.46", + "damage": "46.35", + "description": "Forward-thrusting strike", + "impact": "29.9", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "39.21", + "description": "Heavy left-lunging strike", + "impact": "25.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "39.21", + "description": "Heavy right-lunging strike", + "impact": "25.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "31", + "23", + "4.55", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "46.35", + "29.9", + "5.46", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "39.21", + "25.3", + "5.01", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "39.21", + "25.3", + "5.01", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Gold Machete Pure Chitin Palladium Scrap Palladium Scrap", + "result": "1x Virgin Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Virgin Sword", + "Gold Machete Pure Chitin Palladium Scrap Palladium Scrap", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)", + "enchantment": "Desert's Sun" + }, + { + "effects": "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)", + "enchantment": "Foggy Memories" + }, + { + "effects": "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Forge Fire" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Priest's Prayers" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Scourge's Outbreak" + }, + { + "effects": "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact", + "enchantment": "Specter's Wail" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)", + "enchantment": "Storm" + }, + { + "effects": "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact.", + "enchantment": "Wendigo's Breath" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)", + "enchantment": "Winter's Cruelty" + } + ], + "raw_rows": [ + [ + "Desert's Sun", + "Adds +35% of the existing weapon's physical damage as Fire damageWeapon now inflicts Burning (35% buildup)" + ], + [ + "Foggy Memories", + "Adds +33% of the existing weapon's physical damage as Ethereal damageWeapon now inflicts Sapped (35% buildup)" + ], + [ + "Forge Fire", + "Weapon deals an AoE Fire \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Priest's Prayers", + "Weapon deals an AoE Lightning \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Scourge's Outbreak", + "Weapon deals an AoE Decay \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Specter's Wail", + "Weapon deals an AoE Ethereal \"Blast\" with 0.25x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact" + ], + [ + "Storm", + "Adds +40% of the existing weapon's physical damage as Lightning damageWeapon now inflicts Weaken (35% buildup)" + ], + [ + "Wendigo's Breath", + "Weapon deals an AoE Frost \"Blast\" with 0.33x damage multiplier (based on the Weapon's total base damage), and +5 flat Impact." + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ], + [ + "Winter's Cruelty", + "Adds +40% of the existing weapon's physical damage as Frost damageWeapon now inflicts Slow Down (35% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "37.6%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Howard Brock, Blacksmith" + } + ], + "raw_rows": [ + [ + "Howard Brock, Blacksmith", + "1 - 4", + "37.6%", + "Harmattan" + ] + ] + } + ], + "description": "Virgin Sword is a type of Weapon in Outward." + }, + { + "name": "Voltaic Vines", + "url": "https://outward.fandom.com/wiki/Voltaic_Vines", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "90", + "DLC": "The Three Brothers", + "Object ID": "6000410", + "Sell": "27", + "Type": "Ingredient", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/aa/Voltaic_Vines.png/revision/latest/scale-to-width-down/83?cb=20201220075417", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Requires Expanded Library upgradeHits create an AoE Lightning blast which deals 0.603x (60.3%) Dagger's base damage-9% Lightning Damage Bonus", + "enchantment": "Tunnel's End" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Tunnel's End", + "Requires Expanded Library upgradeHits create an AoE Lightning blast which deals 0.603x (60.3%) Dagger's base damage-9% Lightning Damage Bonus" + ] + ] + }, + { + "title": "Acquired From / Unidentified Sample Sources", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.9%", + "quantity": "1", + "source": "Scarlet Emissary" + } + ], + "raw_rows": [ + [ + "Scarlet Emissary", + "1", + "5.9%" + ] + ] + } + ], + "description": "Voltaic Vines is an Item in Outward." + }, + { + "name": "Waning Tentacle", + "url": "https://outward.fandom.com/wiki/Waning_Tentacle", + "categories": [ + "DLC: The Three Brothers", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "60", + "DLC": "The Three Brothers", + "Object ID": "6005350", + "Sell": "18", + "Type": "Ingredient", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e3/Waning_Tentacle.png/revision/latest/scale-to-width-down/83?cb=20201220075419", + "recipes": [ + { + "result": "Astral Axe", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Bow", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Short Handle", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Chakram", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Claymore", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Dagger", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Spike Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Greataxe", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Greatmace", + "result_count": "1x", + "ingredients": [ + "Long Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Halberd", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Knuckles", + "result_count": "1x", + "ingredients": [ + "Blunt Prism", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Mace", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Pistol", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Blunt Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Shield", + "result_count": "1x", + "ingredients": [ + "Trinket Handle", + "Flat Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Spear", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Spike Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Staff", + "result_count": "1x", + "ingredients": [ + "Shaft Handle", + "Long Handle", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + }, + { + "result": "Astral Sword", + "result_count": "1x", + "ingredients": [ + "Short Handle", + "Blade Prism", + "Waning Tentacle" + ], + "station": "None", + "source_page": "Waning Tentacle" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Short HandleFlat PrismWaning Tentacle", + "result": "1x Astral Axe", + "station": "None" + }, + { + "ingredients": "Short HandleShort HandleWaning Tentacle", + "result": "1x Astral Bow", + "station": "None" + }, + { + "ingredients": "Trinket HandleBlade PrismWaning Tentacle", + "result": "1x Astral Chakram", + "station": "None" + }, + { + "ingredients": "Long HandleBlade PrismWaning Tentacle", + "result": "1x Astral Claymore", + "station": "None" + }, + { + "ingredients": "Trinket HandleSpike PrismWaning Tentacle", + "result": "1x Astral Dagger", + "station": "None" + }, + { + "ingredients": "Long HandleFlat PrismWaning Tentacle", + "result": "1x Astral Greataxe", + "station": "None" + }, + { + "ingredients": "Long HandleBlunt PrismWaning Tentacle", + "result": "1x Astral Greatmace", + "station": "None" + }, + { + "ingredients": "Shaft HandleBlade PrismWaning Tentacle", + "result": "1x Astral Halberd", + "station": "None" + }, + { + "ingredients": "Blunt PrismBlunt PrismWaning Tentacle", + "result": "1x Astral Knuckles", + "station": "None" + }, + { + "ingredients": "Short HandleBlunt PrismWaning Tentacle", + "result": "1x Astral Mace", + "station": "None" + }, + { + "ingredients": "Trinket HandleBlunt PrismWaning Tentacle", + "result": "1x Astral Pistol", + "station": "None" + }, + { + "ingredients": "Trinket HandleFlat PrismWaning Tentacle", + "result": "1x Astral Shield", + "station": "None" + }, + { + "ingredients": "Shaft HandleSpike PrismWaning Tentacle", + "result": "1x Astral Spear", + "station": "None" + }, + { + "ingredients": "Shaft HandleLong HandleWaning Tentacle", + "result": "1x Astral Staff", + "station": "None" + }, + { + "ingredients": "Short HandleBlade PrismWaning Tentacle", + "result": "1x Astral Sword", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Astral Axe", + "Short HandleFlat PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Bow", + "Short HandleShort HandleWaning Tentacle", + "None" + ], + [ + "1x Astral Chakram", + "Trinket HandleBlade PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Claymore", + "Long HandleBlade PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Dagger", + "Trinket HandleSpike PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Greataxe", + "Long HandleFlat PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Greatmace", + "Long HandleBlunt PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Halberd", + "Shaft HandleBlade PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Knuckles", + "Blunt PrismBlunt PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Mace", + "Short HandleBlunt PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Pistol", + "Trinket HandleBlunt PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Shield", + "Trinket HandleFlat PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Spear", + "Shaft HandleSpike PrismWaning Tentacle", + "None" + ], + [ + "1x Astral Staff", + "Shaft HandleLong HandleWaning Tentacle", + "None" + ], + [ + "1x Astral Sword", + "Short HandleBlade PrismWaning Tentacle", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Grandmother Medyse" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Drifting Medyse" + }, + { + "chance": "16.7%", + "quantity": "1", + "source": "Elder Medyse" + } + ], + "raw_rows": [ + [ + "Grandmother Medyse", + "1", + "100%" + ], + [ + "Drifting Medyse", + "1", + "16.7%" + ], + [ + "Elder Medyse", + "1", + "16.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "1.5%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "1.5%", + "New Sirocco" + ] + ] + } + ], + "description": "Waning Tentacle is an Item in Outward." + }, + { + "name": "War Bow", + "url": "https://outward.fandom.com/wiki/War_Bow", + "categories": [ + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Bows", + "Damage": "37", + "Durability": "350", + "Effects": "Confusion", + "Impact": "25", + "Object ID": "2200020", + "Sell": "300", + "Stamina Cost": "4.99", + "Type": "Two-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cd/War_Bow.png/revision/latest?cb=20190412210311", + "effects": [ + "Inflicts Confusion (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Horror Bow", + "result_count": "1x", + "ingredients": [ + "Horror Chitin", + "Horror Chitin", + "War Bow", + "Occult Remains" + ], + "station": "None", + "source_page": "War Bow" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Horror ChitinHorror ChitinWar BowOccult Remains", + "result": "1x Horror Bow", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Horror Bow", + "Horror ChitinHorror ChitinWar BowOccult Remains", + "None" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Master-Smith Tokuga" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Quikiza the Blacksmith" + }, + { + "chance": "43.8%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Lawrence Dakers, Hunter" + } + ], + "raw_rows": [ + [ + "Master-Smith Tokuga", + "1", + "100%", + "Levant" + ], + [ + "Quikiza the Blacksmith", + "1", + "100%", + "Berg" + ], + [ + "Lawrence Dakers, Hunter", + "1 - 2", + "43.8%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Archer" + } + ], + "raw_rows": [ + [ + "Kazite Archer", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "6.7%", + "locations": "Reptilian Lair", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "6.7%", + "locations": "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "5.7%", + "locations": "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "8.3%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Junk Pile", + "1", + "6.7%", + "Reptilian Lair" + ], + [ + "Ornate Chest", + "1", + "6.7%", + "Dark Ziggurat Interior, Dead Tree, Spire of Light, Ziggurat Passage" + ], + [ + "Ornate Chest", + "1", + "5.7%", + "Cabal of Wind Temple, Enmerkar Forest, Face of the Ancients, Forest Hives, Royal Manticore's Lair, Vigil Pylon" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "War Bow is a bow in Outward." + }, + { + "name": "Warehouse Key", + "url": "https://outward.fandom.com/wiki/Warehouse_Key", + "categories": [ + "DLC: The Soroboreans", + "Key", + "Items" + ], + "infobox": { + "Buy": "0", + "Class": "Key", + "DLC": "The Soroboreans", + "Object ID": "5600120", + "Sell": "0", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/74/Warehouse_Key.png/revision/latest/scale-to-width-down/83?cb=20200621155324", + "description": "Warehouse Key is an Item in Outward." + }, + { + "name": "Warm Axe", + "url": "https://outward.fandom.com/wiki/Warm_Axe", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Axes", + "DLC": "The Three Brothers", + "Damage": "32", + "Durability": "200", + "Impact": "35", + "Object ID": "2010280", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b4/Warm_Axe.png/revision/latest/scale-to-width-down/83?cb=20201220075420", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "32", + "description": "Two slashing strikes, right to left", + "impact": "35", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.24", + "damage": "41.6", + "description": "Fast, triple-attack strike", + "impact": "45.5", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "41.6", + "description": "Quick double strike", + "impact": "45.5", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "41.6", + "description": "Wide-sweeping double strike", + "impact": "45.5", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "32", + "35", + "5.2", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "41.6", + "45.5", + "6.24", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "41.6", + "45.5", + "6.24", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "41.6", + "45.5", + "6.24", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + } + ], + "description": "Warm Axe is a type of Weapon in Outward." + }, + { + "name": "Warm Boozu's Milk", + "url": "https://outward.fandom.com/wiki/Warm_Boozu%27s_Milk", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Consumables" + ], + "infobox": { + "Buy": "20", + "DLC": "The Soroboreans", + "Drink": "7%", + "Effects": "Health Recovery 2Corruption Resistance 1Warm", + "Hunger": "5%", + "Object ID": "4100680", + "Perish Time": "8 Days", + "Sell": "6", + "Type": "Food", + "Weight": "0.6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/da/Warm_Boozu%27s_Milk.png/revision/latest/scale-to-width-down/83?cb=20200616185729", + "effects": [ + "Restores 5% Hunger and 7% Drink", + "Player receives Warm", + "Player receives Health Recovery (level 2)", + "Player receives Corruption Resistance (level 1)" + ], + "effect_links": [ + "/wiki/Warm" + ], + "recipes": [ + { + "result": "Warm Boozu's Milk", + "result_count": "1x", + "ingredients": [ + "Boozu's Milk" + ], + "station": "Campfire", + "source_page": "Warm Boozu's Milk" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Boozu's Milk", + "result": "1x Warm Boozu's Milk", + "station": "Campfire" + } + ], + "raw_rows": [ + [ + "1x Warm Boozu's Milk", + "Boozu's Milk", + "Campfire" + ] + ] + } + ], + "description": "Warm Boozu's Milk is an Item in Outward." + }, + { + "name": "Warm Potion", + "url": "https://outward.fandom.com/wiki/Warm_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "15", + "Effects": "Warm", + "Object ID": "4300070", + "Perish Time": "∞", + "Sell": "4", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/48/Warm_Potion.png/revision/latest?cb=20190410154748", + "effects": [ + "Player receives Warm", + "+20% Fire damage", + "+20% Fire resistance", + "+8 Cold Weather Defense" + ], + "effect_links": [ + "/wiki/Warm" + ], + "recipes": [ + { + "result": "Warm Potion", + "result_count": "1x", + "ingredients": [ + "Thick Oil", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Warm Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "240 seconds", + "effects": "+20% Fire damage+20% Fire resistance+8 Cold Weather Defense", + "name": "Warm" + } + ], + "raw_rows": [ + [ + "", + "Warm", + "240 seconds", + "+20% Fire damage+20% Fire resistance+8 Cold Weather Defense" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Thick Oil Water", + "result": "1x Warm Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Warm Potion", + "Thick Oil Water", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "3", + "source": "Helmi the Alchemist" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "3", + "source": "Laine the Alchemist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "3", + "source": "Tuan the Alchemist" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "3", + "source": "Vay the Alchemist" + }, + { + "chance": "37.9%", + "locations": "New Sirocco", + "quantity": "1 - 6", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "33%", + "locations": "Berg", + "quantity": "1 - 6", + "source": "Vay the Alchemist" + }, + { + "chance": "22.1%", + "locations": "Cierzo", + "quantity": "1 - 3", + "source": "Helmi the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2 - 20", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "12.7%", + "locations": "New Sirocco", + "quantity": "3", + "source": "Patrick Arago, General Store" + } + ], + "raw_rows": [ + [ + "Helmi the Alchemist", + "3", + "100%", + "Cierzo" + ], + [ + "Laine the Alchemist", + "3", + "100%", + "Monsoon" + ], + [ + "Luc Salaberry, Alchemist", + "3", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "3", + "100%", + "Harmattan" + ], + [ + "Tuan the Alchemist", + "3", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "3", + "100%", + "Berg" + ], + [ + "Luc Salaberry, Alchemist", + "1 - 6", + "37.9%", + "New Sirocco" + ], + [ + "Vay the Alchemist", + "1 - 6", + "33%", + "Berg" + ], + [ + "Helmi the Alchemist", + "1 - 3", + "22.1%", + "Cierzo" + ], + [ + "Robyn Garnet, Alchemist", + "2 - 20", + "16.3%", + "Harmattan" + ], + [ + "Patrick Arago, General Store", + "3", + "12.7%", + "New Sirocco" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "11.1%", + "locations": "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "11.1%", + "locations": "Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "11.1%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "11.1%", + "locations": "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "11.1%", + "locations": "Antique Plateau, Hallowed Marsh, Reptilian Lair", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "11.1%", + "locations": "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "11.1%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "11.1%", + "locations": "Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "11.1%", + "Caldera, Compromised Mana Transfer Station, Destroyed Test Chambers, Old Sirocco" + ], + [ + "Calygrey Chest", + "1 - 2", + "11.1%", + "Steam Bath Tunnels" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "11.1%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "11.1%", + "Antique Plateau, Blue Chamber's Conflux Path, Burnt Outpost, Cabal of Wind Temple, Caldera, Captain's Cabin, Crumbling Loading Docks, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Hallowed Marsh, Holy Mission's Conflux Path, Immaculate's Refuge, Lost Golem Manufacturing Facility, Mansion's Cellar, Necropolis, Old Sirocco, Ruined Outpost, The Tower of Regrets, The Vault of Stone" + ], + [ + "Corpse", + "1 - 2", + "11.1%", + "Abrassar, Ark of the Exiled, Blood Mage Hideout, Caldera, Destroyed Test Chambers, Forgotten Research Laboratory, Hive Prison, Old Sirocco, Scarlet Sanctuary, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Antique Plateau, Hallowed Marsh, Reptilian Lair" + ], + [ + "Hollowed Trunk", + "1 - 2", + "11.1%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "11.1%", + "Abandoned Shed, Ancestor's Resting Place, Antique Plateau, Caldera, Cierzo (Destroyed), Corrupted Tombs, Dark Ziggurat Interior, Dead Roots, Face of the Ancients, Hermit's House, Holy Mission's Conflux Path, Necropolis, Oil Refinery, Reptilian Lair, Sand Rose Cave, Stone Titan Caves, Vigil Pylon, Worn Hunter's Cabin, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "11.1%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Looter's Corpse", + "1 - 2", + "11.1%", + "Voltaic Hatchery" + ] + ] + } + ], + "description": "Warm Potion is a consumable item in Outward." + }, + { + "name": "Warrior Elixir", + "url": "https://outward.fandom.com/wiki/Warrior_Elixir", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "60", + "Effects": "DisciplineImpact UpPhysical Attack Up", + "Object ID": "4300210", + "Perish Time": "∞", + "Sell": "18", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fb/Warrior_Elixir.png/revision/latest?cb=20190410154757", + "effects": [ + "Player receives Discipline", + "Player receives Impact Up", + "Player receives Physical Attack Up" + ], + "effect_links": [ + "/wiki/Discipline" + ], + "recipes": [ + { + "result": "Warrior Elixir", + "result_count": "1x", + "ingredients": [ + "Krimp Nut", + "Crystal Powder", + "Larva Egg", + "Water" + ], + "station": "Alchemy Kit", + "source_page": "Warrior Elixir" + } + ], + "tables": [ + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Krimp Nut Crystal Powder Larva Egg Water", + "result": "1x Warrior Elixir", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Warrior Elixir", + "Krimp Nut Crystal Powder Larva Egg Water", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Robyn Garnet, Alchemist" + }, + { + "chance": "36.1%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "31.7%", + "locations": "Monsoon", + "quantity": "1 - 5", + "source": "Laine the Alchemist" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Robyn Garnet, Alchemist", + "1 - 2", + "100%", + "Harmattan" + ], + [ + "Tamara the Smuggler", + "1 - 15", + "36.1%", + "Levant" + ], + [ + "Laine the Alchemist", + "1 - 5", + "31.7%", + "Monsoon" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "16.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Matriarch" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Specter (Cannon)" + }, + { + "chance": "8.3%", + "quantity": "1", + "source": "Golden Specter (Melee)" + } + ], + "raw_rows": [ + [ + "Golden Matriarch", + "1", + "8.3%" + ], + [ + "Golden Specter (Cannon)", + "1", + "8.3%" + ], + [ + "Golden Specter (Melee)", + "1", + "8.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.2%", + "locations": "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "6.2%", + "locations": "Calygrey Colosseum", + "quantity": "1 - 2", + "source": "Calygrey Colosseum/Chest" + }, + { + "chance": "6.2%", + "locations": "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "6.2%", + "locations": "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "6.2%", + "locations": "Antique Plateau", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Caldera", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "6.2%", + "locations": "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "6.2%", + "locations": "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "6.2%", + "locations": "Ruined Warehouse", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "6.2%", + "locations": "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "6.2%", + "Antique Plateau, Caldera, Dolmen Crypt, Myrmitaur's Haven, Oily Cavern, Old Sirocco, The Vault of Stone" + ], + [ + "Calygrey Colosseum/Chest", + "1 - 2", + "6.2%", + "Calygrey Colosseum" + ], + [ + "Chest", + "1 - 2", + "6.2%", + "Abandoned Shed, Ancient Foundry, Caldera, Calygrey Colosseum, Compromised Mana Transfer Station, Crumbling Loading Docks, Dolmen Crypt, Face of the Ancients, Immaculate's Camp, Immaculate's Refuge, Lost Golem Manufacturing Facility, Oil Refinery, Old Sirocco, Reptilian Lair, Silkworm's Refuge, Steam Bath Tunnels, Sulphuric Caverns, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, The Vault of Stone, Underside Loading Dock" + ], + [ + "Corpse", + "1 - 2", + "6.2%", + "Caldera, Destroyed Test Chambers, Old Sirocco, Scarlet Sanctuary, The Eldest Brother" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Antique Plateau" + ], + [ + "Hollowed Trunk", + "1 - 2", + "6.2%", + "Caldera" + ], + [ + "Junk Pile", + "1 - 2", + "6.2%", + "Abandoned Storage, Cabal of Wind Temple, Caldera, Ghost Pass, Hermit's House, Ruined Warehouse, Sulphuric Caverns, Worn Hunter's Cabin" + ], + [ + "Knight's Corpse", + "1 - 2", + "6.2%", + "Compromised Mana Transfer Station, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oil Refinery, The Grotto of Chalcedony" + ], + [ + "Looter's Corpse", + "1 - 2", + "6.2%", + "Ruined Warehouse" + ], + [ + "Ornate Chest", + "1 - 2", + "6.2%", + "Abandoned Ziggurat, Abrassar, Antique Plateau, Ark of the Exiled, Bandits' Prison, Cabal of Wind Outpost, Calygrey Colosseum, Cierzo, Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Destroyed Test Chambers, Enmerkar Forest, Forgotten Research Laboratory, Ghost Pass, Mansion's Cellar, Myrmitaur's Haven, Oil Refinery, Old Sirocco, Royal Manticore's Lair, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Spire of Light, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The River of Red, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Warrior Elixir is a consumable item in Outward." + }, + { + "name": "Waterskin", + "url": "https://outward.fandom.com/wiki/Waterskin", + "categories": [ + "Survival", + "Items" + ], + "infobox": { + "Buy": "6", + "Object ID": "4200040", + "Sell": "2", + "Type": "Survival", + "Weight": "0.0 (+0.3 per water)" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "David Parks, Craftsman" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "2 - 3", + "source": "Felix Jimson, Shopkeeper" + }, + { + "chance": "100%", + "locations": "Giants' Village", + "quantity": "1", + "source": "Gold Belly" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 3", + "source": "Patrick Arago, General Store" + }, + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "2", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Shopkeeper Suul" + }, + { + "chance": "100%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Silver-Nose the Trader" + }, + { + "chance": "100%", + "locations": "Vendavel Fortress", + "quantity": "1", + "source": "Vendavel Prisoner" + } + ], + "raw_rows": [ + [ + "David Parks, Craftsman", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Felix Jimson, Shopkeeper", + "2 - 3", + "100%", + "Harmattan" + ], + [ + "Gold Belly", + "1", + "100%", + "Giants' Village" + ], + [ + "Patrick Arago, General Store", + "2 - 3", + "100%", + "New Sirocco" + ], + [ + "Shopkeeper Doran", + "2", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ], + [ + "Shopkeeper Suul", + "1", + "100%", + "Levant" + ], + [ + "Silver-Nose the Trader", + "1", + "100%", + "Hallowed Marsh" + ], + [ + "Vendavel Prisoner", + "1", + "100%", + "Vendavel Fortress" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "4.7%", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "4.7%", + "quantity": "1 - 2", + "source": "Desert Bandit" + }, + { + "chance": "4.3%", + "quantity": "1 - 4", + "source": "Kazite Archer" + }, + { + "chance": "4.2%", + "quantity": "1 - 4", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "3.6%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant" + }, + { + "chance": "3.5%", + "quantity": "1 - 3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "3.4%", + "quantity": "1 - 4", + "source": "Marsh Archer" + }, + { + "chance": "2.7%", + "quantity": "1 - 3", + "source": "Bandit Defender" + }, + { + "chance": "2.7%", + "quantity": "1 - 3", + "source": "Bandit Lieutenant" + }, + { + "chance": "2.7%", + "quantity": "1 - 3", + "source": "Roland Argenson" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "4.7%" + ], + [ + "Desert Bandit", + "1 - 2", + "4.7%" + ], + [ + "Kazite Archer", + "1 - 4", + "4.3%" + ], + [ + "Kazite Archer (Antique Plateau)", + "1 - 4", + "4.2%" + ], + [ + "Kazite Lieutenant", + "1 - 3", + "3.6%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "1 - 3", + "3.5%" + ], + [ + "Marsh Archer", + "1 - 4", + "3.4%" + ], + [ + "Bandit Defender", + "1 - 3", + "2.7%" + ], + [ + "Bandit Lieutenant", + "1 - 3", + "2.7%" + ], + [ + "Roland Argenson", + "1 - 3", + "2.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "1 - 2", + "source": "Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach", + "quantity": "1 - 2", + "source": "Hollowed Trunk" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "8.6%", + "locations": "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 2", + "source": "Looter's Corpse" + }, + { + "chance": "8.6%", + "locations": "Blue Chamber's Conflux Path, Forest Hives", + "quantity": "1 - 2", + "source": "Scavenger's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 2", + "8.6%", + "Abrassar, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 2", + "8.6%", + "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach" + ], + [ + "Junk Pile", + "1 - 2", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Antique Plateau, Ark of the Exiled, Bandit Hideout, Berg, Blister Burrow, Blood Mage Hideout, Blue Chamber's Conflux Path, Cabal of Wind Temple, Caldera, Cierzo, Cierzo (Destroyed), Cierzo Storage, Compromised Mana Transfer Station, Corrupted Tombs, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Electric Lab, Face of the Ancients, Forgotten Research Laboratory, Ghost Pass, Giants' Village, Harmattan, Holy Mission's Conflux Path, Jade Quarry, Levant, Lost Golem Manufacturing Facility, Mansion's Cellar, Monsoon, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, The Slide, Tree Husk, Undercity Passage" + ], + [ + "Knight's Corpse", + "1 - 2", + "8.6%", + "Captain's Cabin, Face of the Ancients, Jade Quarry, Myrmitaur's Haven, Old Sirocco" + ], + [ + "Looter's Corpse", + "1 - 2", + "8.6%", + "Ancient Hive, Blister Burrow, Hallowed Marsh, Royal Manticore's Lair, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Scavenger's Corpse", + "1 - 2", + "8.6%", + "Blue Chamber's Conflux Path, Forest Hives" + ] + ] + } + ], + "description": "Waterskin is an item that allows the player to gather from water sources. The carrying capacity indicates how many times the player can take a drink." + }, + { + "name": "Weather Defense Potion", + "url": "https://outward.fandom.com/wiki/Weather_Defense_Potion", + "categories": [ + "Items", + "Consumables", + "Potions" + ], + "infobox": { + "Buy": "40", + "Effects": "Weather Defense", + "Object ID": "4300160", + "Perish Time": "∞", + "Sell": "12", + "Type": "Potions", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/db/Weather_Defense_Potion.png/revision/latest?cb=20190410154816", + "effects": [ + "Player receives Weather Defense", + "+20 Hot Weather Def", + "+20 Cold Weather Def", + "+10 Decay resist" + ], + "recipes": [ + { + "result": "Weather Defense Potion", + "result_count": "1x", + "ingredients": [ + "Water", + "Greasy Fern", + "Crystal Powder" + ], + "station": "Alchemy Kit", + "source_page": "Weather Defense Potion" + } + ], + "tables": [ + { + "title": "Description / Effects", + "headers": [ + "Icon", + "Name", + "Duration", + "Effects" + ], + "rows": [ + { + "duration": "600 seconds", + "effects": "+20 Hot Weather Def+20 Cold Weather Def+10 Decay resist", + "name": "Weather Defense" + } + ], + "raw_rows": [ + [ + "", + "Weather Defense", + "600 seconds", + "+20 Hot Weather Def+20 Cold Weather Def+10 Decay resist" + ] + ] + }, + { + "title": "Crafting / Recipe", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Water Greasy Fern Crystal Powder", + "result": "1x Weather Defense Potion", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "1x Weather Defense Potion", + "Water Greasy Fern Crystal Powder", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Ritualist's hut", + "quantity": "1 - 2", + "source": "Apprentice Ritualist" + }, + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "2 - 3", + "source": "Patrick Arago, General Store" + }, + { + "chance": "16.3%", + "locations": "Harmattan", + "quantity": "2", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Apprentice Ritualist", + "1 - 2", + "100%", + "Ritualist's hut" + ], + [ + "Patrick Arago, General Store", + "2 - 3", + "100%", + "New Sirocco" + ], + [ + "Robyn Garnet, Alchemist", + "2", + "16.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "5.3%", + "quantity": "1", + "source": "Golden Minion" + } + ], + "raw_rows": [ + [ + "Golden Minion", + "1", + "5.3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.8%", + "locations": "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + }, + { + "chance": "9.8%", + "locations": "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration", + "quantity": "1 - 4", + "source": "Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap", + "quantity": "1 - 4", + "source": "Hollowed Trunk" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Junk Pile" + }, + { + "chance": "9.8%", + "locations": "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "9.8%", + "locations": "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery", + "quantity": "1 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "9.8%", + "locations": "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry", + "quantity": "1 - 4", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Blister Burrow, Blood Mage Hideout, Caldera, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Myrmitaur's Haven, Oily Cavern, Old Sirocco, Reptilian Lair, Sand Rose Cave, The Vault of Stone" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Ancient Foundry, Bandit Hideout, Blue Chamber's Conflux Path, Burnt Outpost, Captain's Cabin, Chersonese, Cierzo, Compromised Mana Transfer Station, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Electric Lab, Enmerkar Forest, Forest Hives, Forgotten Research Laboratory, Ghost Pass, Giant's Sauna, Giants' Village, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hive Prison, Holy Mission's Conflux Path, Immaculate's Cave, Immaculate's Refuge, Jade Quarry, Montcalm Clan Fort, Necropolis, Oil Refinery, Old Sirocco, Ruined Warehouse, Sand Rose Cave, Spire of Light, Steam Bath Tunnels, Stone Titan Caves, Sulphuric Caverns, The Vault of Stone, Tree Husk, Undercity Passage, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 4", + "9.8%", + "Abrassar, Blister Burrow, Caldera, Calygrey Colosseum, The Eldest Brother, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 4", + "9.8%", + "Ancient Hive, Antique Plateau, Chersonese, Hallowed Marsh, Hive Trap" + ], + [ + "Junk Pile", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Ark of the Exiled, Berg, Cierzo (Destroyed), Compromised Mana Transfer Station, Crumbling Loading Docks, Dark Ziggurat Interior, Dead Roots, Destroyed Test Chambers, Forgotten Research Laboratory, Harmattan, Levant, Lost Golem Manufacturing Facility, Necropolis, Oil Refinery, Oily Cavern, Old Harmattan Basement, Old Sirocco, Reptilian Lair, Steam Bath Tunnels, The Eldest Brother, The Grotto of Chalcedony, The Tower of Regrets, Troglodyte Warren, Ziggurat Passage" + ], + [ + "Knight's Corpse", + "1 - 4", + "9.8%", + "Ancient Hive, Blue Chamber's Conflux Path, Cabal of Wind Temple, Face of the Ancients, Myrmitaur's Haven, Stone Titan Caves, Ziggurat Passage" + ], + [ + "Looter's Corpse", + "1 - 4", + "9.8%", + "Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Vendavel Fortress, Voltaic Hatchery" + ], + [ + "Ornate Chest", + "1 - 4", + "9.8%", + "Ancestor's Resting Place, Chersonese, Cierzo (Destroyed), Jade Quarry" + ] + ] + } + ], + "description": "Weather Defense Potion is a type of potion in Outward." + }, + { + "name": "Weaver's Backpack", + "url": "https://outward.fandom.com/wiki/Weaver%27s_Backpack", + "categories": [ + "DLC: The Three Brothers", + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "300", + "Capacity": "80", + "Class": "Backpacks", + "DLC": "The Three Brothers", + "Durability": "∞", + "Effects": "+20% Status Resistance", + "Inventory Protection": "2", + "Object ID": "5380003", + "Sell": "90", + "Status Resist": "20", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/40/Weaver%27s_Backpack.png/revision/latest/scale-to-width-down/83?cb=20201220075423", + "effects": [ + "+20% Status Resistance" + ], + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "50%", + "locations": "Silkworm's Refuge", + "quantity": "1 - 2", + "source": "Silver Tooth" + } + ], + "raw_rows": [ + [ + "Silver Tooth", + "1 - 2", + "50%", + "Silkworm's Refuge" + ] + ] + } + ], + "description": "Weaver's Backpack is a type of Equipment in Outward." + }, + { + "name": "Werlig Spear", + "url": "https://outward.fandom.com/wiki/Werlig_Spear", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2500", + "Class": "Spears", + "Damage": "24 24", + "Durability": "450", + "Impact": "30", + "Object ID": "2130021", + "Sell": "750", + "Stamina Cost": "5.6", + "Type": "Two-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fa/Werlig_Spear.png/revision/latest?cb=20190413071103", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.6", + "damage": "24 24", + "description": "Two forward-thrusting stabs", + "impact": "30", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "7", + "damage": "33.6 33.6", + "description": "Forward-lunging strike", + "impact": "36", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "31.2 31.2", + "description": "Left-sweeping strike, jump back", + "impact": "36", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7", + "damage": "28.8 28.8", + "description": "Fast spinning strike from the right", + "impact": "33", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24 24", + "30", + "5.6", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "33.6 33.6", + "36", + "7", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "31.2 31.2", + "36", + "7", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "28.8 28.8", + "33", + "7", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Werlig Spear is a unique spear in Outward." + }, + { + "name": "Wheat", + "url": "https://outward.fandom.com/wiki/Wheat", + "categories": [ + "DLC: The Soroboreans", + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "3", + "Class": "Ingredient", + "DLC": "The Soroboreans", + "Object ID": "6600010", + "Sell": "1", + "Weight": "0.5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e2/Wheat.png/revision/latest/scale-to-width-down/83?cb=20200616185730", + "recipes": [ + { + "result": "Flour", + "result_count": "1x", + "ingredients": [ + "Wheat", + "Wheat" + ], + "station": "Cooking Pot", + "source_page": "Wheat" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "WheatWheat", + "result": "1x Flour", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "1x Flour", + "WheatWheat", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Wheat (Gatherable)" + } + ], + "raw_rows": [ + [ + "Wheat (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "3 - 6", + "source": "Pelletier Baker, Chef" + }, + { + "chance": "21.3%", + "locations": "Harmattan", + "quantity": "4", + "source": "Pelletier Baker, Chef" + } + ], + "raw_rows": [ + [ + "Pelletier Baker, Chef", + "3 - 6", + "100%", + "Harmattan" + ], + [ + "Pelletier Baker, Chef", + "4", + "21.3%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "16.4%", + "quantity": "3", + "source": "Bonded Beastmaster" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Kazite Archer (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Kazite Bandit (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Kazite Lieutenant (Antique Plateau)" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Wolfgang Captain" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Wolfgang Mercenary" + }, + { + "chance": "16.4%", + "quantity": "3", + "source": "Wolfgang Veteran" + }, + { + "chance": "15.1%", + "quantity": "3", + "source": "Blood Sorcerer" + } + ], + "raw_rows": [ + [ + "Bonded Beastmaster", + "3", + "16.4%" + ], + [ + "Kazite Archer (Antique Plateau)", + "3", + "16.4%" + ], + [ + "Kazite Bandit (Antique Plateau)", + "3", + "16.4%" + ], + [ + "Kazite Lieutenant (Antique Plateau)", + "3", + "16.4%" + ], + [ + "Wolfgang Captain", + "3", + "16.4%" + ], + [ + "Wolfgang Mercenary", + "3", + "16.4%" + ], + [ + "Wolfgang Veteran", + "3", + "16.4%" + ], + [ + "Blood Sorcerer", + "3", + "15.1%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "2 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.3%", + "locations": "Harmattan", + "quantity": "2 - 4", + "source": "Chest" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "2 - 4", + "source": "Knight's Corpse" + }, + { + "chance": "8.3%", + "locations": "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Looter's Corpse" + }, + { + "chance": "8.3%", + "locations": "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair", + "quantity": "2 - 4", + "source": "Scavenger's Corpse" + }, + { + "chance": "8.3%", + "locations": "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Soldier's Corpse" + }, + { + "chance": "8.3%", + "locations": "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair", + "quantity": "2 - 4", + "source": "Worker's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "2 - 4", + "8.3%", + "Ancient Foundry, Antique Plateau, Blood Mage Hideout, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Chest", + "2 - 4", + "8.3%", + "Harmattan" + ], + [ + "Knight's Corpse", + "2 - 4", + "8.3%", + "Compromised Mana Transfer Station, Destroyed Test Chambers, Lost Golem Manufacturing Facility, Ruined Warehouse" + ], + [ + "Looter's Corpse", + "2 - 4", + "8.3%", + "Abandoned Living Quarters, Crumbling Loading Docks, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ], + [ + "Scavenger's Corpse", + "2 - 4", + "8.3%", + "Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Wendigo Lair" + ], + [ + "Soldier's Corpse", + "2 - 4", + "8.3%", + "Crumbling Loading Docks, Ruined Warehouse, Wendigo Lair" + ], + [ + "Worker's Corpse", + "2 - 4", + "8.3%", + "Ancient Foundry, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse, Wendigo Lair" + ] + ] + } + ], + "description": "Wheat is an Item in Outward." + }, + { + "name": "White Arcane Hood", + "url": "https://outward.fandom.com/wiki/White_Arcane_Hood", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "200", + "Cold Weather Def.": "3", + "Cooldown Reduction": "10%", + "Damage Bonus": "5% 5%", + "Damage Resist": "10% 20% 20%", + "Durability": "320", + "Impact Resist": "3%", + "Item Set": "White Arcane Set", + "Mana Cost": "-10%", + "Object ID": "3000341", + "Protection": "1", + "Sell": "60", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5e/White_Arcane_Hood.png/revision/latest?cb=20190629155410", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Arcane Hood", + "upgrade": "White Arcane Hood" + } + ], + "raw_rows": [ + [ + "Arcane Hood", + "White Arcane Hood" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance", + "enchantment": "Stabilizing Forces" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Stabilizing Forces", + "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance" + ] + ] + } + ], + "description": "White Arcane Hood is a type of Armor in Outward." + }, + { + "name": "White Arcane Robe", + "url": "https://outward.fandom.com/wiki/White_Arcane_Robe", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "350", + "Cold Weather Def.": "6", + "Cooldown Reduction": "10%", + "Damage Bonus": "5% 5% 5%", + "Damage Resist": "14% 20% 20% 20%", + "Durability": "320", + "Impact Resist": "4%", + "Item Set": "White Arcane Set", + "Mana Cost": "-15%", + "Object ID": "3000340", + "Sell": "105", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9c/White_Arcane_Robe.png/revision/latest?cb=20190629155411", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Arcane Robe", + "upgrade": "White Arcane Robe" + } + ], + "raw_rows": [ + [ + "Arcane Robe", + "White Arcane Robe" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance", + "enchantment": "Stabilizing Forces" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Stabilizing Forces", + "Body Armors: Gain +3% Movement Speed bonus, and +10% Impact resistanceHelmets: Gain +5% Mana cost reduction (-5% Mana costs), and +5% Impact resistance" + ] + ] + } + ], + "description": "White Arcane Robe is a type of Armor in Outward." + }, + { + "name": "White Arcane Set", + "url": "https://outward.fandom.com/wiki/White_Arcane_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "550", + "Cold Weather Def.": "9", + "Cooldown Reduction": "20%", + "Damage Bonus": "5% 5% 5% 5% 5%", + "Damage Resist": "24% 20% 20% 20% 20% 20%", + "Durability": "640", + "Impact Resist": "7%", + "Mana Cost": "-25%", + "Object ID": "3000341 (Head)3000340 (Chest)", + "Protection": "1", + "Sell": "165", + "Slot": "Set", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/40/White_Arcane_Set.png/revision/latest/scale-to-width-down/250?cb=20190910071613", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Helmets", + "column_4": "3%", + "column_5": "1", + "column_7": "3", + "column_8": "-10%", + "column_9": "10%", + "damage_bonus%": "5% 5%", + "durability": "320", + "name": "White Arcane Hood", + "resistances": "10% 20% 20%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "–", + "column_7": "6", + "column_8": "-15%", + "column_9": "10%", + "damage_bonus%": "5% 5% 5%", + "durability": "320", + "name": "White Arcane Robe", + "resistances": "14% 20% 20% 20%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "White Arcane Hood", + "10% 20% 20%", + "3%", + "1", + "5% 5%", + "3", + "-10%", + "10%", + "320", + "1.0", + "Helmets" + ], + [ + "", + "White Arcane Robe", + "14% 20% 20% 20%", + "4%", + "–", + "5% 5% 5%", + "6", + "-15%", + "10%", + "320", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Helmets", + "column_4": "3%", + "column_5": "1", + "column_7": "3", + "column_8": "-10%", + "column_9": "10%", + "damage_bonus%": "5% 5%", + "durability": "320", + "name": "White Arcane Hood", + "resistances": "10% 20% 20%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "4%", + "column_5": "–", + "column_7": "6", + "column_8": "-15%", + "column_9": "10%", + "damage_bonus%": "5% 5% 5%", + "durability": "320", + "name": "White Arcane Robe", + "resistances": "14% 20% 20% 20%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "White Arcane Hood", + "10% 20% 20%", + "3%", + "1", + "5% 5%", + "3", + "-10%", + "10%", + "320", + "1.0", + "Helmets" + ], + [ + "", + "White Arcane Robe", + "14% 20% 20% 20%", + "4%", + "–", + "5% 5% 5%", + "6", + "-15%", + "10%", + "320", + "4.0", + "Body Armor" + ] + ] + } + ], + "description": "White Arcane Set is a Set in Outward." + }, + { + "name": "White Kintsugi Armor", + "url": "https://outward.fandom.com/wiki/White_Kintsugi_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "700", + "Damage Bonus": "10%", + "Damage Resist": "28%", + "Durability": "480", + "Hot Weather Def.": "-10", + "Impact Resist": "30%", + "Item Set": "White Kintsugi Set", + "Movement Speed": "-7%", + "Object ID": "3100200", + "Protection": "3", + "Sell": "210", + "Slot": "Chest", + "Stamina Cost": "4%", + "Weight": "21.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b9/White_Kintsugi_Armor.png/revision/latest?cb=20190629155412", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kintsugi Armor", + "upgrade": "White Kintsugi Armor" + } + ], + "raw_rows": [ + [ + "Kintsugi Armor", + "White Kintsugi Armor" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "White Kintsugi Armor is a type of Armor in Outward." + }, + { + "name": "White Kintsugi Boots", + "url": "https://outward.fandom.com/wiki/White_Kintsugi_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "350", + "Damage Bonus": "5%", + "Damage Resist": "20%", + "Durability": "480", + "Impact Resist": "17%", + "Item Set": "White Kintsugi Set", + "Movement Speed": "-6%", + "Object ID": "3100202", + "Protection": "2", + "Sell": "105", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "14.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a6/White_Kintsugi_Boots.png/revision/latest?cb=20190629155414", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kintsugi Boots", + "upgrade": "White Kintsugi Boots" + } + ], + "raw_rows": [ + [ + "Kintsugi Boots", + "White Kintsugi Boots" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "White Kintsugi Boots is a type of Armor in Outward." + }, + { + "name": "White Kintsugi Helmet", + "url": "https://outward.fandom.com/wiki/White_Kintsugi_Helmet", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "350", + "Damage Bonus": "5%", + "Damage Resist": "20%", + "Durability": "480", + "Impact Resist": "17%", + "Item Set": "White Kintsugi Set", + "Mana Cost": "50%", + "Movement Speed": "-6%", + "Object ID": "3100201", + "Protection": "2", + "Sell": "105", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4b/White_Kintsugi_Helmet.png/revision/latest?cb=20190629155415", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Kintsugi Helm", + "upgrade": "White Kintsugi Helmet" + } + ], + "raw_rows": [ + [ + "Kintsugi Helm", + "White Kintsugi Helmet" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "White Kintsugi Helmet is a type of Armor in Outward." + }, + { + "name": "White Kintsugi Set", + "url": "https://outward.fandom.com/wiki/White_Kintsugi_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1400", + "Damage Bonus": "20%", + "Damage Resist": "68%", + "Durability": "1440", + "Hot Weather Def.": "-10", + "Impact Resist": "64%", + "Mana Cost": "50%", + "Movement Speed": "-19%", + "Object ID": "3100200 (Chest)3100202 (Legs)3100201 (Head)", + "Protection": "7", + "Sell": "420", + "Slot": "Set", + "Stamina Cost": "8%", + "Weight": "45.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/39/White_Kintsugi_Set.png/revision/latest/scale-to-width-down/250?cb=20190910071617", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-7%", + "column_4": "30%", + "column_5": "3", + "column_7": "-10", + "column_8": "4%", + "column_9": "–", + "damage_bonus%": "10%", + "durability": "480", + "name": "White Kintsugi Armor", + "resistances": "28%", + "weight": "21.0" + }, + { + "class": "Boots", + "column_10": "-6%", + "column_4": "17%", + "column_5": "2", + "column_7": "–", + "column_8": "2%", + "column_9": "–", + "damage_bonus%": "5%", + "durability": "480", + "name": "White Kintsugi Boots", + "resistances": "20%", + "weight": "14.0" + }, + { + "class": "Helmets", + "column_10": "-6%", + "column_4": "17%", + "column_5": "2", + "column_7": "–", + "column_8": "2%", + "column_9": "50%", + "damage_bonus%": "5%", + "durability": "480", + "name": "White Kintsugi Helmet", + "resistances": "20%", + "weight": "10.0" + } + ], + "raw_rows": [ + [ + "", + "White Kintsugi Armor", + "28%", + "30%", + "3", + "10%", + "-10", + "4%", + "–", + "-7%", + "480", + "21.0", + "Body Armor" + ], + [ + "", + "White Kintsugi Boots", + "20%", + "17%", + "2", + "5%", + "–", + "2%", + "–", + "-6%", + "480", + "14.0", + "Boots" + ], + [ + "", + "White Kintsugi Helmet", + "20%", + "17%", + "2", + "5%", + "–", + "2%", + "50%", + "-6%", + "480", + "10.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-7%", + "column_4": "30%", + "column_5": "3", + "column_7": "-10", + "column_8": "4%", + "column_9": "–", + "damage_bonus%": "10%", + "durability": "480", + "name": "White Kintsugi Armor", + "resistances": "28%", + "weight": "21.0" + }, + { + "class": "Boots", + "column_10": "-6%", + "column_4": "17%", + "column_5": "2", + "column_7": "–", + "column_8": "2%", + "column_9": "–", + "damage_bonus%": "5%", + "durability": "480", + "name": "White Kintsugi Boots", + "resistances": "20%", + "weight": "14.0" + }, + { + "class": "Helmets", + "column_10": "-6%", + "column_4": "17%", + "column_5": "2", + "column_7": "–", + "column_8": "2%", + "column_9": "50%", + "damage_bonus%": "5%", + "durability": "480", + "name": "White Kintsugi Helmet", + "resistances": "20%", + "weight": "10.0" + } + ], + "raw_rows": [ + [ + "", + "White Kintsugi Armor", + "28%", + "30%", + "3", + "10%", + "-10", + "4%", + "–", + "-7%", + "480", + "21.0", + "Body Armor" + ], + [ + "", + "White Kintsugi Boots", + "20%", + "17%", + "2", + "5%", + "–", + "2%", + "–", + "-6%", + "480", + "14.0", + "Boots" + ], + [ + "", + "White Kintsugi Helmet", + "20%", + "17%", + "2", + "5%", + "–", + "2%", + "50%", + "-6%", + "480", + "10.0", + "Helmets" + ] + ] + } + ], + "description": "White Kintsugi Set is a Set in Outward." + }, + { + "name": "White Priest Boots", + "url": "https://outward.fandom.com/wiki/White_Priest_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "250", + "Damage Resist": "7% 20% 20% 20%", + "Durability": "260", + "Impact Resist": "3%", + "Item Set": "White Priest Set", + "Made By": "Shopkeeper Lyda (Monsoon)", + "Mana Cost": "-10%", + "Object ID": "3000062", + "Sell": "75", + "Slot": "Legs", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3c/White_Priest_Boots.png/revision/latest?cb=20190415161250", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + } + ], + "raw_rows": [ + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "White Priest Boots is a type of Armor in Outward." + }, + { + "name": "White Priest Hood", + "url": "https://outward.fandom.com/wiki/White_Priest_Hood", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "200", + "Corruption Resist": "15%", + "Damage Resist": "8% 20% 20% 20%", + "Durability": "260", + "Impact Resist": "3%", + "Item Set": "White Priest Set", + "Mana Cost": "-10%", + "Object ID": "3000063", + "Sell": "60", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8f/White_Priest_Hood.png/revision/latest?cb=20190414202250", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + } + ], + "raw_rows": [ + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ] + ] + } + ], + "description": "White Priest Hood is a type of Armor in Outward." + }, + { + "name": "White Priest Mitre", + "url": "https://outward.fandom.com/wiki/White_Priest_Mitre", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Damage Bonus": "8% 8% 8%", + "Damage Resist": "20% 20% 20%", + "Durability": "320", + "Impact Resist": "0%", + "Item Set": "White Priest Set", + "Object ID": "3000061", + "Sell": "90", + "Slot": "Head", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5b/White_Priest_Mitre.png/revision/latest?cb=20190407195529", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + } + ], + "raw_rows": [ + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "White Priest Mitre is a type of Armor in Outward." + }, + { + "name": "White Priest Robes", + "url": "https://outward.fandom.com/wiki/White_Priest_Robes", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "425", + "Damage Resist": "15% 20% 20% 20%", + "Durability": "260", + "Impact Resist": "5%", + "Item Set": "White Priest Set", + "Mana Cost": "-10%", + "Object ID": "3000060", + "Sell": "126", + "Slot": "Chest", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/40/White_Priest_Robes.png/revision/latest?cb=20190415131422", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Monsoon", + "quantity": "1", + "source": "Shopkeeper Lyda" + } + ], + "raw_rows": [ + [ + "Shopkeeper Lyda", + "1", + "100%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus", + "enchantment": "Elatt's Sanctity" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Elatt's Sanctity", + "Body Armor: Gain +20 Corruption ResistanceHelmet/Boots: Gain +10 Corruption ResistanceAny: Gain +5% Lightning damage bonus" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "White Priest Robes is a type of Armor in Outward." + }, + { + "name": "White Priest Set", + "url": "https://outward.fandom.com/wiki/White_Priest_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "975", + "Damage Bonus": "8% 8% 8%", + "Damage Resist": "22% 60% 60% 60%", + "Durability": "840", + "Impact Resist": "8%", + "Mana Cost": "-20%", + "Object ID": "3000062 (Legs)3000061 (Head)3000060 (Chest)", + "Sell": "291", + "Slot": "Set", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/69/White_Priest_Set.png/revision/latest/scale-to-width-down/250?cb=20211216174422", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "3%", + "column_6": "-10%", + "column_7": "–", + "damage_bonus%": "–", + "durability": "260", + "name": "White Priest Boots", + "resistances": "7% 20% 20% 20%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_6": "-10%", + "column_7": "15%", + "damage_bonus%": "–", + "durability": "260", + "name": "White Priest Hood", + "resistances": "8% 20% 20% 20%", + "weight": "1.0" + }, + { + "class": "Helmets", + "column_4": "–", + "column_6": "–", + "column_7": "–", + "damage_bonus%": "8% 8% 8%", + "durability": "320", + "name": "White Priest Mitre", + "resistances": "20% 20% 20%", + "weight": "2.0" + }, + { + "class": "Body Armor", + "column_4": "5%", + "column_6": "-10%", + "column_7": "–", + "damage_bonus%": "–", + "durability": "260", + "name": "White Priest Robes", + "resistances": "15% 20% 20% 20%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "White Priest Boots", + "7% 20% 20% 20%", + "3%", + "–", + "-10%", + "–", + "260", + "2.0", + "Boots" + ], + [ + "", + "White Priest Hood", + "8% 20% 20% 20%", + "3%", + "–", + "-10%", + "15%", + "260", + "1.0", + "Helmets" + ], + [ + "", + "White Priest Mitre", + "20% 20% 20%", + "–", + "8% 8% 8%", + "–", + "–", + "320", + "2.0", + "Helmets" + ], + [ + "", + "White Priest Robes", + "15% 20% 20% 20%", + "5%", + "–", + "-10%", + "–", + "260", + "4.0", + "Body Armor" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Damage Bonus%", + "Column 6", + "Column 7", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "3%", + "column_6": "-10%", + "column_7": "–", + "damage_bonus%": "–", + "durability": "260", + "name": "White Priest Boots", + "resistances": "7% 20% 20% 20%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "3%", + "column_6": "-10%", + "column_7": "15%", + "damage_bonus%": "–", + "durability": "260", + "name": "White Priest Hood", + "resistances": "8% 20% 20% 20%", + "weight": "1.0" + }, + { + "class": "Helmets", + "column_4": "–", + "column_6": "–", + "column_7": "–", + "damage_bonus%": "8% 8% 8%", + "durability": "320", + "name": "White Priest Mitre", + "resistances": "20% 20% 20%", + "weight": "2.0" + }, + { + "class": "Body Armor", + "column_4": "5%", + "column_6": "-10%", + "column_7": "–", + "damage_bonus%": "–", + "durability": "260", + "name": "White Priest Robes", + "resistances": "15% 20% 20% 20%", + "weight": "4.0" + } + ], + "raw_rows": [ + [ + "", + "White Priest Boots", + "7% 20% 20% 20%", + "3%", + "–", + "-10%", + "–", + "260", + "2.0", + "Boots" + ], + [ + "", + "White Priest Hood", + "8% 20% 20% 20%", + "3%", + "–", + "-10%", + "15%", + "260", + "1.0", + "Helmets" + ], + [ + "", + "White Priest Mitre", + "20% 20% 20%", + "–", + "8% 8% 8%", + "–", + "–", + "320", + "2.0", + "Helmets" + ], + [ + "", + "White Priest Robes", + "15% 20% 20% 20%", + "5%", + "–", + "-10%", + "–", + "260", + "4.0", + "Body Armor" + ] + ] + } + ], + "description": "White Priest Set is one of the Armor Sets in Outward with multiple head piece combinations. It protects the wearer with massive elemental resistances against fire, frost and decay, at the price of a moderate physical resistance and mediocre impact resistance." + }, + { + "name": "White Wide Hat", + "url": "https://outward.fandom.com/wiki/White_Wide_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Damage Bonus": "10% 10%", + "Damage Resist": "8%", + "Durability": "310", + "Hot Weather Def.": "10", + "Impact Resist": "6%", + "Mana Cost": "-20%", + "Movement Speed": "5%", + "Object ID": "3000303", + "Sell": "90", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/67/White_Wide_Hat.png/revision/latest?cb=20190629155416", + "tables": [ + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Wide Black Hat", + "upgrade": "White Wide Hat" + } + ], + "raw_rows": [ + [ + "Wide Black Hat", + "White Wide Hat" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "White Wide Hat is a type of Armor in Outward." + }, + { + "name": "Wide Black Hat", + "url": "https://outward.fandom.com/wiki/Wide_Black_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "200", + "Damage Bonus": "10%", + "Damage Resist": "8%", + "Durability": "230", + "Hot Weather Def.": "10", + "Impact Resist": "6%", + "Mana Cost": "-20%", + "Movement Speed": "5%", + "Object ID": "3000301", + "Sell": "60", + "Slot": "Head", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e8/Wide_Black_Hat.png/revision/latest?cb=20190407080716", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Vay the Alchemist" + }, + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "1", + "100%", + "New Sirocco" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1", + "100%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Wide Black Hat is a type of Armor in Outward." + }, + { + "name": "Wide Blue Hat", + "url": "https://outward.fandom.com/wiki/Wide_Blue_Hat", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "200", + "Damage Bonus": "10%", + "Damage Resist": "8%", + "Durability": "230", + "Hot Weather Def.": "10", + "Impact Resist": "6%", + "Mana Cost": "-20%", + "Object ID": "3000300", + "Sell": "60", + "Slot": "Head", + "Stamina Cost": "-5%", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b5/Wide_Blue_Hat.png/revision/latest?cb=20190407081537", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Luc Salaberry, Alchemist" + }, + { + "chance": "100%", + "locations": "Harmattan", + "quantity": "1", + "source": "Ryan Sullivan, Arcanist" + }, + { + "chance": "100%", + "locations": "Levant", + "quantity": "1", + "source": "Smooth the Tailor" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Vay the Alchemist" + }, + { + "chance": "14.2%", + "locations": "New Sirocco", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Antique Plateau", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Harmattan", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "13.8%", + "locations": "Levant", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Abrassar", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Caldera", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Chersonese", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Enmerkar Forest", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.4%", + "locations": "Hallowed Marsh", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12.3%", + "locations": "Berg", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + }, + { + "chance": "12%", + "locations": "Monsoon", + "quantity": "1 - 10", + "source": "Soroborean Caravanner" + } + ], + "raw_rows": [ + [ + "Luc Salaberry, Alchemist", + "1", + "100%", + "New Sirocco" + ], + [ + "Ryan Sullivan, Arcanist", + "1", + "100%", + "Harmattan" + ], + [ + "Smooth the Tailor", + "1", + "100%", + "Levant" + ], + [ + "Vay the Alchemist", + "1", + "100%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "14.2%", + "New Sirocco" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Antique Plateau" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Harmattan" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "13.8%", + "Levant" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Abrassar" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Caldera" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Chersonese" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Enmerkar Forest" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.4%", + "Hallowed Marsh" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12.3%", + "Berg" + ], + [ + "Soroborean Caravanner", + "1 - 10", + "12%", + "Monsoon" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "7.5%", + "quantity": "1 - 3", + "source": "Ice Witch" + } + ], + "raw_rows": [ + [ + "Ice Witch", + "1 - 3", + "7.5%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Wide Blue Hat is a type of Armor in Outward." + }, + { + "name": "Withering Pole Mace", + "url": "https://outward.fandom.com/wiki/Withering_Pole_Mace", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "0.9", + "Buy": "1000", + "Class": "Polearms", + "Damage": "41", + "Durability": "75", + "Effects": "Confusion", + "Impact": "42", + "Item Set": "Troglodyte Set", + "Object ID": "2130084", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Halberd", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c4/Withering_Pole_Mace.png/revision/latest/scale-to-width-down/83?cb=20190629155418", + "effects": [ + "Inflicts Confusion (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Withering Pole Mace" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "41", + "description": "Two wide-sweeping strikes, left to right", + "impact": "42", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "53.3", + "description": "Forward-thrusting strike", + "impact": "54.6", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "53.3", + "description": "Wide-sweeping strike from left", + "impact": "54.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "69.7", + "description": "Slow but powerful sweeping strike", + "impact": "71.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "41", + "42", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "53.3", + "54.6", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "53.3", + "54.6", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "69.7", + "71.4", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Troglodyte Pole Mace", + "upgrade": "Withering Pole Mace" + } + ], + "raw_rows": [ + [ + "Troglodyte Pole Mace", + "Withering Pole Mace" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Withering Pole Mace is a type of Two-Handed Polearm weapon in Outward." + }, + { + "name": "Withering Trident", + "url": "https://outward.fandom.com/wiki/Withering_Trident", + "categories": [ + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Spears", + "Damage": "39", + "Durability": "75", + "Impact": "26", + "Item Set": "Troglodyte Set", + "Object ID": "2130083", + "Sell": "300", + "Stamina Cost": "5.2", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/79/Withering_Trident.png/revision/latest/scale-to-width-down/83?cb=20190629155419", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "39", + "description": "Two forward-thrusting stabs", + "impact": "26", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "54.6", + "description": "Forward-lunging strike", + "impact": "31.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "50.7", + "description": "Left-sweeping strike, jump back", + "impact": "31.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "46.8", + "description": "Fast spinning strike from the right", + "impact": "28.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "39", + "26", + "5.2", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "54.6", + "31.2", + "6.5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "50.7", + "31.2", + "6.5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "46.8", + "28.6", + "6.5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Original", + "Upgrade" + ], + "rows": [ + { + "original": "Troglodyte Trident", + "upgrade": "Withering Trident" + } + ], + "raw_rows": [ + [ + "Troglodyte Trident", + "Withering Trident" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)", + "enchantment": "Rot" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Rot", + "Adds +40% of the existing weapon's physical damage as Decay damageWeapon now inflicts Poisoned (55% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Withering Trident is a type of Two-Handed Spear weapon in Outward." + }, + { + "name": "Wolf Axe", + "url": "https://outward.fandom.com/wiki/Wolf_Axe", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "37", + "Durability": "350", + "Effects": "Crippled", + "Impact": "20", + "Item Set": "Wolf Plate Set", + "Object ID": "2010190", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/97/Wolf_Axe.png/revision/latest/scale-to-width-down/83?cb=20200616185731", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "37", + "description": "Two slashing strikes, right to left", + "impact": "20", + "input": "Standard \u003e Standard" + }, + { + "attacks": "3", + "cost": "6.24", + "damage": "48.1", + "description": "Fast, triple-attack strike", + "impact": "26", + "input": "Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "48.1", + "description": "Quick double strike", + "impact": "26", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "6.24", + "damage": "48.1", + "description": "Wide-sweeping double strike", + "impact": "26", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "37", + "20", + "5.2", + "2", + "Two slashing strikes, right to left" + ], + [ + "Special", + "48.1", + "26", + "6.24", + "3", + "Fast, triple-attack strike" + ], + [ + "Standard \u003e Special", + "48.1", + "26", + "6.24", + "2", + "Quick double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "48.1", + "26", + "6.24", + "2", + "Wide-sweeping double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Axe is a type of Weapon in Outward." + }, + { + "name": "Wolf Bow", + "url": "https://outward.fandom.com/wiki/Wolf_Bow", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Bows" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Bows", + "DLC": "The Soroboreans", + "Damage": "39", + "Durability": "325", + "Effects": "Crippled", + "Impact": "16", + "Item Set": "Wolf Plate Set", + "Object ID": "2200090", + "Sell": "300", + "Stamina Cost": "2.99", + "Type": "Two-Handed", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a1/Wolf_Bow.png/revision/latest/scale-to-width-down/83?cb=20200616185733", + "effects": [ + "Inflicts Crippled (45% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)", + "enchantment": "Enkindle" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)", + "enchantment": "Snow" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Enkindle", + "Weapon gains +5 flat Fire damageWeapon now inflicts Burning (25% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Snow", + "Gain +5 flat Frost damageWeapon now inflicts Slow Down (25% buildup)" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "23.4%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Lawrence Dakers, Hunter" + }, + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Lawrence Dakers, Hunter", + "1 - 2", + "23.4%", + "Harmattan" + ], + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Bow is a type of Weapon in Outward." + }, + { + "name": "Wolf Chakram", + "url": "https://outward.fandom.com/wiki/Wolf_Chakram", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Chakrams" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Chakrams", + "DLC": "The Soroboreans", + "Damage": "39", + "Durability": "375", + "Effects": "Crippled", + "Impact": "33", + "Item Set": "Wolf Plate Set", + "Object ID": "5110096", + "Sell": "240", + "Type": "Off-Handed", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/88/Wolf_Chakram.png/revision/latest/scale-to-width-down/83?cb=20200616185734", + "effects": [ + "Inflicts Crippled (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)", + "enchantment": "Telekinesis" + } + ], + "raw_rows": [ + [ + "Telekinesis", + "Requires Expanded Library upgradeWeapon inflicts Hampered (30% buildup)" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Chakram is a type of Weapon in Outward." + }, + { + "name": "Wolf Claymore", + "url": "https://outward.fandom.com/wiki/Wolf_Claymore", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Swords", + "Damage": "43", + "Durability": "375", + "Effects": "Crippled", + "Impact": "34", + "Item Set": "Wolf Plate Set", + "Object ID": "2100010", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/5e/Wolf_Claymore.png/revision/latest?cb=20190413075330", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Wolf Claymore" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "43", + "description": "Two slashing strikes, left to right", + "impact": "34", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "9.36", + "damage": "64.5", + "description": "Overhead downward-thrusting strike", + "impact": "51", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "54.4", + "description": "Spinning strike from the right", + "impact": "37.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.92", + "damage": "54.4", + "description": "Spinning strike from the left", + "impact": "37.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "43", + "34", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "64.5", + "51", + "9.36", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "54.4", + "37.4", + "7.92", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "54.4", + "37.4", + "7.92", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "49.2%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "49.2%", + "Levant" + ], + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "8.3%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Wolf Claymore is a type of Two-Handed Sword in Outward." + }, + { + "name": "Wolf Dagger", + "url": "https://outward.fandom.com/wiki/Wolf_Dagger", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Daggers" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Daggers", + "DLC": "The Soroboreans", + "Damage": "35", + "Durability": "275", + "Effects": "Crippled", + "Impact": "33", + "Item Set": "Wolf Plate Set", + "Object ID": "5110009", + "Sell": "240", + "Type": "Off-Handed", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/a/a9/Wolf_Dagger.png/revision/latest/scale-to-width-down/83?cb=20200616185735", + "effects": [ + "Inflicts Crippled (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Executioner Bug" + } + ], + "raw_rows": [ + [ + "Executioner Bug", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Dagger is a type of Weapon in Outward." + }, + { + "name": "Wolf Greataxe", + "url": "https://outward.fandom.com/wiki/Wolf_Greataxe", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Axes", + "DLC": "The Soroboreans", + "Damage": "43", + "Durability": "400", + "Effects": "Crippled", + "Impact": "31", + "Item Set": "Wolf Plate Set", + "Object ID": "2110170", + "Sell": "300", + "Stamina Cost": "7.15", + "Type": "Two-Handed", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/33/Wolf_Greataxe.png/revision/latest/scale-to-width-down/83?cb=20200616185736", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.15", + "damage": "43", + "description": "Two slashing strikes, left to right", + "impact": "31", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.83", + "damage": "55.9", + "description": "Uppercut strike into right sweep strike", + "impact": "40.3", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.83", + "damage": "55.9", + "description": "Left-spinning double strike", + "impact": "40.3", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.65", + "damage": "55.9", + "description": "Right-spinning double strike", + "impact": "40.3", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "43", + "31", + "7.15", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "55.9", + "40.3", + "9.83", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "55.9", + "40.3", + "9.83", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "55.9", + "40.3", + "9.65", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Kazite Admiral" + } + ], + "raw_rows": [ + [ + "Kazite Admiral", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Wolf Greataxe is a type of Weapon in Outward." + }, + { + "name": "Wolf Greathammer", + "url": "https://outward.fandom.com/wiki/Wolf_Greathammer", + "categories": [ + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Maces", + "Damage": "42", + "Durability": "350", + "Effects": "Crippled", + "Impact": "39", + "Item Set": "Wolf Plate Set", + "Object ID": "2120010", + "Sell": "300", + "Stamina Cost": "7.2", + "Type": "Two-Handed", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/9e/Wolf_Greathammer.png/revision/latest?cb=20190412212623", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Wolf Greathammer" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "7.2", + "damage": "42", + "description": "Two slashing strikes, left to right", + "impact": "39", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.64", + "damage": "31.5", + "description": "Blunt strike with high impact", + "impact": "78", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.64", + "damage": "58.8", + "description": "Powerful overhead strike", + "impact": "54.6", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "8.64", + "damage": "58.8", + "description": "Forward-running uppercut strike", + "impact": "54.6", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "42", + "39", + "7.2", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "31.5", + "78", + "8.64", + "1", + "Blunt strike with high impact" + ], + [ + "Standard \u003e Special", + "58.8", + "54.6", + "8.64", + "1", + "Powerful overhead strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "58.8", + "54.6", + "8.64", + "1", + "Forward-running uppercut strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "The Crusher" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Wolfgang Captain" + } + ], + "raw_rows": [ + [ + "The Crusher", + "1", + "100%" + ], + [ + "Wolfgang Captain", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "8.3%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + } + ], + "description": "Wolf Greathammer is a type of Two-Handed Mace in Outward." + }, + { + "name": "Wolf Halberd", + "url": "https://outward.fandom.com/wiki/Wolf_Halberd", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Polearms", + "DLC": "The Soroboreans", + "Damage": "38", + "Durability": "400", + "Effects": "Crippled", + "Impact": "36", + "Item Set": "Wolf Plate Set", + "Object ID": "2140180", + "Sell": "300", + "Stamina Cost": "6.5", + "Type": "Halberd", + "Weight": "7" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/22/Wolf_Halberd.png/revision/latest/scale-to-width-down/83?cb=20200616185737", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.5", + "damage": "38", + "description": "Two wide-sweeping strikes, left to right", + "impact": "36", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "49.4", + "description": "Forward-thrusting strike", + "impact": "46.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "8.13", + "damage": "49.4", + "description": "Wide-sweeping strike from left", + "impact": "46.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "11.38", + "damage": "64.6", + "description": "Slow but powerful sweeping strike", + "impact": "61.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "38", + "36", + "6.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "49.4", + "46.8", + "8.13", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "49.4", + "46.8", + "8.13", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "64.6", + "61.2", + "11.38", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Halberd is a type of Weapon in Outward." + }, + { + "name": "Wolf Knuckles", + "url": "https://outward.fandom.com/wiki/Wolf_Knuckles", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Gauntlets" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Gauntlets", + "DLC": "The Soroboreans", + "Damage": "33", + "Durability": "375", + "Effects": "Crippled", + "Impact": "14", + "Item Set": "Wolf Plate Set", + "Object ID": "2160110", + "Sell": "240", + "Stamina Cost": "2.6", + "Type": "Two-Handed", + "Weight": "3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/3c/Wolf_Knuckles.png/revision/latest/scale-to-width-down/83?cb=20200616185739", + "effects": [ + "Inflicts Crippled (25% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "4", + "cost": "2.6", + "damage": "33", + "description": "Four fast punches, right to left", + "impact": "14", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "3.38", + "damage": "42.9", + "description": "Forward-lunging left hook", + "impact": "18.2", + "input": "Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "42.9", + "description": "Left dodging, left uppercut", + "impact": "18.2", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "3.12", + "damage": "42.9", + "description": "Right dodging, right spinning hammer strike", + "impact": "18.2", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "33", + "14", + "2.6", + "4", + "Four fast punches, right to left" + ], + [ + "Special", + "42.9", + "18.2", + "3.38", + "1", + "Forward-lunging left hook" + ], + [ + "Standard \u003e Special", + "42.9", + "18.2", + "3.12", + "1", + "Left dodging, left uppercut" + ], + [ + "Standard \u003e Standard \u003e Special", + "42.9", + "18.2", + "3.12", + "1", + "Right dodging, right spinning hammer strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "20%", + "locations": "Harmattan", + "quantity": "1", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1", + "20%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.2%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "3.2%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "4.2%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Ornate Chest", + "1", + "3.2%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Knuckles is a type of Weapon in Outward." + }, + { + "name": "Wolf Mace", + "url": "https://outward.fandom.com/wiki/Wolf_Mace", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Maces" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Maces", + "DLC": "The Soroboreans", + "Damage": "40", + "Durability": "425", + "Effects": "Crippled", + "Impact": "33", + "Item Set": "Wolf Plate Set", + "Object ID": "2020230", + "Sell": "240", + "Stamina Cost": "5.2", + "Type": "One-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/44/Wolf_Mace.png/revision/latest/scale-to-width-down/83?cb=20200616185740", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "40", + "description": "Two wide-sweeping strikes, right to left", + "impact": "33", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "52", + "description": "Slow, overhead strike with high impact", + "impact": "82.5", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "52", + "description": "Fast, forward-thrusting strike", + "impact": "42.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.76", + "damage": "52", + "description": "Fast, forward-thrusting strike", + "impact": "42.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "40", + "33", + "5.2", + "2", + "Two wide-sweeping strikes, right to left" + ], + [ + "Special", + "52", + "82.5", + "6.76", + "1", + "Slow, overhead strike with high impact" + ], + [ + "Standard \u003e Special", + "52", + "42.9", + "6.76", + "1", + "Fast, forward-thrusting strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "52", + "42.9", + "6.76", + "1", + "Fast, forward-thrusting strike" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Mace is a type of Weapon in Outward." + }, + { + "name": "Wolf Mage Armor", + "url": "https://outward.fandom.com/wiki/Wolf_Mage_Armor", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "350", + "Cold Weather Def.": "10", + "DLC": "The Soroboreans", + "Damage Bonus": "5%", + "Damage Resist": "9%", + "Durability": "225", + "Impact Resist": "20%", + "Item Set": "Wolf Mage Set", + "Mana Cost": "-10%", + "Object ID": "3100210", + "Protection": "1", + "Sell": "105", + "Slot": "Chest", + "Weight": "4" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4f/Wolf_Mage_Armor.png/revision/latest/scale-to-width-down/83?cb=20200616185742", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Grants 10% Cooldown Reduction", + "enchantment": "Adrenaline" + }, + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Adrenaline", + "Grants 10% Cooldown Reduction" + ], + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "44.7%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Pholiota/High Stock" + }, + { + "chance": "25.6%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "1 - 2", + "44.7%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "1", + "25.6%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "15.4%", + "quantity": "1", + "source": "Guardian of the Compass" + }, + { + "chance": "15.4%", + "quantity": "1", + "source": "Lightning Dancer" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Blood Sorcerer" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Bonded Beastmaster" + } + ], + "raw_rows": [ + [ + "Guardian of the Compass", + "1", + "15.4%" + ], + [ + "Lightning Dancer", + "1", + "15.4%" + ], + [ + "Blood Sorcerer", + "1", + "3%" + ], + [ + "Bonded Beastmaster", + "1", + "3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Mage Armor is a type of Equipment in Outward." + }, + { + "name": "Wolf Mage Boots", + "url": "https://outward.fandom.com/wiki/Wolf_Mage_Boots", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "200", + "Cold Weather Def.": "5", + "DLC": "The Soroboreans", + "Damage Resist": "4%", + "Durability": "225", + "Impact Resist": "11%", + "Item Set": "Wolf Mage Set", + "Mana Cost": "-10%", + "Object ID": "3100212", + "Protection": "1", + "Sell": "60", + "Slot": "Legs", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/c6/Wolf_Mage_Boots.png/revision/latest/scale-to-width-down/83?cb=20200616185743", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "44.7%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Pholiota/High Stock" + }, + { + "chance": "25.6%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "1 - 2", + "44.7%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "1", + "25.6%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "15.4%", + "quantity": "1", + "source": "Guardian of the Compass" + }, + { + "chance": "15.4%", + "quantity": "1", + "source": "Lightning Dancer" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Blood Sorcerer" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Bonded Beastmaster" + } + ], + "raw_rows": [ + [ + "Guardian of the Compass", + "1", + "15.4%" + ], + [ + "Lightning Dancer", + "1", + "15.4%" + ], + [ + "Blood Sorcerer", + "1", + "3%" + ], + [ + "Bonded Beastmaster", + "1", + "3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Mage Boots is a type of Equipment in Outward." + }, + { + "name": "Wolf Mage Helmet", + "url": "https://outward.fandom.com/wiki/Wolf_Mage_Helmet", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "200", + "Corruption Resist": "10%", + "DLC": "The Soroboreans", + "Damage Resist": "4%", + "Durability": "225", + "Impact Resist": "11%", + "Item Set": "Wolf Mage Set", + "Mana Cost": "-10%", + "Object ID": "3100211", + "Protection": "1", + "Sell": "60", + "Slot": "Head", + "Weight": "1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/6/65/Wolf_Mage_Helmet.png/revision/latest/scale-to-width-down/83?cb=20200616185744", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +5% Cooldown Reduction", + "enchantment": "Instinct" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Instinct", + "Gain +5% Cooldown Reduction" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "44.7%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Pholiota/High Stock" + }, + { + "chance": "25.6%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "1 - 2", + "44.7%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "1", + "25.6%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "15.4%", + "quantity": "1", + "source": "Guardian of the Compass" + }, + { + "chance": "15.4%", + "quantity": "1", + "source": "Lightning Dancer" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Blood Sorcerer" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Bonded Beastmaster" + } + ], + "raw_rows": [ + [ + "Guardian of the Compass", + "1", + "15.4%" + ], + [ + "Lightning Dancer", + "1", + "15.4%" + ], + [ + "Blood Sorcerer", + "1", + "3%" + ], + [ + "Bonded Beastmaster", + "1", + "3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Mage Helmet is a type of Equipment in Outward." + }, + { + "name": "Wolf Mage Set", + "url": "https://outward.fandom.com/wiki/Wolf_Mage_Set", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "750", + "Cold Weather Def.": "15", + "Corruption Resist": "10%", + "DLC": "The Soroboreans", + "Damage Bonus": "5%", + "Damage Resist": "17%", + "Durability": "675", + "Impact Resist": "42%", + "Mana Cost": "-30%", + "Object ID": "3100210 (Chest)3100212 (Legs)3100211 (Head)", + "Protection": "3", + "Sell": "225", + "Slot": "Set", + "Weight": "7.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/33/Wolf_Mage_Set.png/revision/latest/scale-to-width-down/250?cb=20201231064208", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "20%", + "column_5": "1", + "column_7": "10", + "column_8": "-10%", + "column_9": "–", + "damage_bonus%": "5%", + "durability": "225", + "name": "Wolf Mage Armor", + "resistances": "9%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "11%", + "column_5": "1", + "column_7": "5", + "column_8": "-10%", + "column_9": "–", + "damage_bonus%": "–", + "durability": "225", + "name": "Wolf Mage Boots", + "resistances": "4%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "11%", + "column_5": "1", + "column_7": "–", + "column_8": "-10%", + "column_9": "10%", + "damage_bonus%": "–", + "durability": "225", + "name": "Wolf Mage Helmet", + "resistances": "4%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Wolf Mage Armor", + "9%", + "20%", + "1", + "5%", + "10", + "-10%", + "–", + "225", + "4.0", + "Body Armor" + ], + [ + "", + "Wolf Mage Boots", + "4%", + "11%", + "1", + "–", + "5", + "-10%", + "–", + "225", + "2.0", + "Boots" + ], + [ + "", + "Wolf Mage Helmet", + "4%", + "11%", + "1", + "–", + "–", + "-10%", + "10%", + "225", + "1.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_4": "20%", + "column_5": "1", + "column_7": "10", + "column_8": "-10%", + "column_9": "–", + "damage_bonus%": "5%", + "durability": "225", + "name": "Wolf Mage Armor", + "resistances": "9%", + "weight": "4.0" + }, + { + "class": "Boots", + "column_4": "11%", + "column_5": "1", + "column_7": "5", + "column_8": "-10%", + "column_9": "–", + "damage_bonus%": "–", + "durability": "225", + "name": "Wolf Mage Boots", + "resistances": "4%", + "weight": "2.0" + }, + { + "class": "Helmets", + "column_4": "11%", + "column_5": "1", + "column_7": "–", + "column_8": "-10%", + "column_9": "10%", + "damage_bonus%": "–", + "durability": "225", + "name": "Wolf Mage Helmet", + "resistances": "4%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Wolf Mage Armor", + "9%", + "20%", + "1", + "5%", + "10", + "-10%", + "–", + "225", + "4.0", + "Body Armor" + ], + [ + "", + "Wolf Mage Boots", + "4%", + "11%", + "1", + "–", + "5", + "-10%", + "–", + "225", + "2.0", + "Boots" + ], + [ + "", + "Wolf Mage Helmet", + "4%", + "11%", + "1", + "–", + "–", + "-10%", + "10%", + "225", + "1.0", + "Helmets" + ] + ] + } + ], + "description": "Wolf Mage Set is a Set in Outward." + }, + { + "name": "Wolf Medic Armor", + "url": "https://outward.fandom.com/wiki/Wolf_Medic_Armor", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "550", + "Cold Weather Def.": "10", + "Corruption Resist": "16%", + "DLC": "The Soroboreans", + "Damage Resist": "20%", + "Durability": "300", + "Effects": "Recover +0.1 Health per second", + "Impact Resist": "14%", + "Item Set": "Wolf Medic Set", + "Mana Cost": "-5%", + "Movement Speed": "-3%", + "Object ID": "3100220", + "Protection": "2", + "Sell": "165", + "Slot": "Chest", + "Stamina Cost": "3%", + "Weight": "12" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/5/56/Wolf_Medic_Armor.png/revision/latest/scale-to-width-down/83?cb=20200616185746", + "effects": [ + "Recover +0.1 Health per second" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Grants 10% Cooldown Reduction", + "enchantment": "Adrenaline" + }, + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Adrenaline", + "Grants 10% Cooldown Reduction" + ], + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Pholiota/High Stock" + }, + { + "chance": "7.7%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "1 - 2", + "14.8%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "1", + "7.7%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "3%", + "quantity": "1", + "source": "Wolfgang Captain" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Wolfgang Mercenary" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Wolfgang Captain", + "1", + "3%" + ], + [ + "Wolfgang Mercenary", + "1", + "3%" + ], + [ + "Wolfgang Veteran", + "1", + "3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Medic Armor is a type of Equipment in Outward." + }, + { + "name": "Wolf Medic Boots", + "url": "https://outward.fandom.com/wiki/Wolf_Medic_Boots", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "300", + "Cold Weather Def.": "5", + "Corruption Resist": "7%", + "DLC": "The Soroboreans", + "Damage Resist": "13%", + "Durability": "300", + "Effects": "Recover +0.05 Health per second", + "Impact Resist": "9%", + "Item Set": "Wolf Medic Set", + "Mana Cost": "-5%", + "Movement Speed": "-2%", + "Object ID": "3100222", + "Protection": "1", + "Sell": "90", + "Slot": "Legs", + "Stamina Cost": "2%", + "Weight": "8" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/28/Wolf_Medic_Boots.png/revision/latest/scale-to-width-down/83?cb=20200616185747", + "effects": [ + "Recover +0.05 Health per second" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Pholiota/High Stock" + }, + { + "chance": "7.7%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "1 - 2", + "14.8%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "1", + "7.7%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "3%", + "quantity": "1", + "source": "Wolfgang Captain" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Wolfgang Mercenary" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Wolfgang Captain", + "1", + "3%" + ], + [ + "Wolfgang Mercenary", + "1", + "3%" + ], + [ + "Wolfgang Veteran", + "1", + "3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Medic Boots is a type of Equipment in Outward." + }, + { + "name": "Wolf Medic Helmet", + "url": "https://outward.fandom.com/wiki/Wolf_Medic_Helmet", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "300", + "Cold Weather Def.": "5", + "Corruption Resist": "7%", + "DLC": "The Soroboreans", + "Damage Resist": "13%", + "Durability": "300", + "Effects": "Recover +0.05 Health per second", + "Impact Resist": "9%", + "Item Set": "Wolf Medic Set", + "Mana Cost": "-5%", + "Movement Speed": "-2%", + "Object ID": "3100221", + "Protection": "1", + "Sell": "90", + "Slot": "Head", + "Stamina Cost": "2%", + "Weight": "5" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/e3/Wolf_Medic_Helmet.png/revision/latest/scale-to-width-down/83?cb=20200616185748", + "effects": [ + "Recover +0.05 Health per second" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +5% Cooldown Reduction", + "enchantment": "Instinct" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Instinct", + "Gain +5% Cooldown Reduction" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "14.8%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1 - 2", + "source": "Pholiota/High Stock" + }, + { + "chance": "7.7%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "1", + "source": "Pholiota/Low Stock" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "1 - 2", + "14.8%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "1", + "7.7%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "3%", + "quantity": "1", + "source": "Wolfgang Captain" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Wolfgang Mercenary" + }, + { + "chance": "3%", + "quantity": "1", + "source": "Wolfgang Veteran" + } + ], + "raw_rows": [ + [ + "Wolfgang Captain", + "1", + "3%" + ], + [ + "Wolfgang Mercenary", + "1", + "3%" + ], + [ + "Wolfgang Veteran", + "1", + "3%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Medic Helmet is a type of Equipment in Outward." + }, + { + "name": "Wolf Medic Set", + "url": "https://outward.fandom.com/wiki/Wolf_Medic_Set", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1150", + "Cold Weather Def.": "20", + "Corruption Resist": "30%", + "DLC": "The Soroboreans", + "Damage Resist": "46%", + "Durability": "900", + "Impact Resist": "32%", + "Mana Cost": "-15%", + "Movement Speed": "-7%", + "Object ID": "3100220 (Chest)3100222 (Legs)3100221 (Head)", + "Protection": "4", + "Sell": "345", + "Slot": "Set", + "Stamina Cost": "7%", + "Weight": "25.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/f/fc/Wolf_Medic_Set.png/revision/latest/scale-to-width-down/250?cb=20201231064211", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-3%", + "column_4": "14%", + "column_5": "2", + "column_6": "10", + "column_7": "3%", + "column_8": "-5%", + "column_9": "16%", + "durability": "300", + "effects": "Recover +0.1 Health per second", + "name": "Wolf Medic Armor", + "resistances": "20%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_10": "-2%", + "column_4": "9%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "-5%", + "column_9": "7%", + "durability": "300", + "effects": "Recover +0.05 Health per second", + "name": "Wolf Medic Boots", + "resistances": "13%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_10": "-2%", + "column_4": "9%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "-5%", + "column_9": "7%", + "durability": "300", + "effects": "Recover +0.05 Health per second", + "name": "Wolf Medic Helmet", + "resistances": "13%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Wolf Medic Armor", + "20%", + "14%", + "2", + "10", + "3%", + "-5%", + "16%", + "-3%", + "300", + "12.0", + "Recover +0.1 Health per second", + "Body Armor" + ], + [ + "", + "Wolf Medic Boots", + "13%", + "9%", + "1", + "5", + "2%", + "-5%", + "7%", + "-2%", + "300", + "8.0", + "Recover +0.05 Health per second", + "Boots" + ], + [ + "", + "Wolf Medic Helmet", + "13%", + "9%", + "1", + "5", + "2%", + "-5%", + "7%", + "-2%", + "300", + "5.0", + "Recover +0.05 Health per second", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-3%", + "column_4": "14%", + "column_5": "2", + "column_6": "10", + "column_7": "3%", + "column_8": "-5%", + "column_9": "16%", + "durability": "300", + "effects": "Recover +0.1 Health per second", + "name": "Wolf Medic Armor", + "resistances": "20%", + "weight": "12.0" + }, + { + "class": "Boots", + "column_10": "-2%", + "column_4": "9%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "-5%", + "column_9": "7%", + "durability": "300", + "effects": "Recover +0.05 Health per second", + "name": "Wolf Medic Boots", + "resistances": "13%", + "weight": "8.0" + }, + { + "class": "Helmets", + "column_10": "-2%", + "column_4": "9%", + "column_5": "1", + "column_6": "5", + "column_7": "2%", + "column_8": "-5%", + "column_9": "7%", + "durability": "300", + "effects": "Recover +0.05 Health per second", + "name": "Wolf Medic Helmet", + "resistances": "13%", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Wolf Medic Armor", + "20%", + "14%", + "2", + "10", + "3%", + "-5%", + "16%", + "-3%", + "300", + "12.0", + "Recover +0.1 Health per second", + "Body Armor" + ], + [ + "", + "Wolf Medic Boots", + "13%", + "9%", + "1", + "5", + "2%", + "-5%", + "7%", + "-2%", + "300", + "8.0", + "Recover +0.05 Health per second", + "Boots" + ], + [ + "", + "Wolf Medic Helmet", + "13%", + "9%", + "1", + "5", + "2%", + "-5%", + "7%", + "-2%", + "300", + "5.0", + "Recover +0.05 Health per second", + "Helmets" + ] + ] + } + ], + "description": "Wolf Medic Set is a Set in Outward." + }, + { + "name": "Wolf Pistol", + "url": "https://outward.fandom.com/wiki/Wolf_Pistol", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Pistols" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Pistols", + "DLC": "The Soroboreans", + "Damage": "87", + "Durability": "275", + "Effects": "Crippled", + "Impact": "53", + "Item Set": "Wolf Plate Set", + "Object ID": "5110210", + "Sell": "240", + "Type": "Off-Handed", + "Weight": "2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/2c/Wolf_Pistol.png/revision/latest/scale-to-width-down/83?cb=20200616185749", + "effects": [ + "Inflicts Crippled (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs", + "enchantment": "Levantine Secret" + } + ], + "raw_rows": [ + [ + "Levantine Secret", + "Requires Expanded Library upgrade+5% Frost Damage Bonus-5% Mana Costs" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "19%", + "locations": "Harmattan", + "quantity": "1 - 2", + "source": "Lawrence Dakers, Hunter" + } + ], + "raw_rows": [ + [ + "Lawrence Dakers, Hunter", + "1 - 2", + "19%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Pistol is a type of Weapon in Outward." + }, + { + "name": "Wolf Plate Armor", + "url": "https://outward.fandom.com/wiki/Wolf_Plate_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "700", + "Cold Weather Def.": "6", + "Damage Resist": "26% 30%", + "Durability": "460", + "Hot Weather Def.": "-12", + "Impact Resist": "20%", + "Item Set": "Wolf Plate Set", + "Movement Speed": "-4%", + "Object ID": "3100010", + "Protection": "3", + "Sell": "233", + "Slot": "Chest", + "Stamina Cost": "6%", + "Weight": "16.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/28/Wolf_Plate_Armor.png/revision/latest?cb=20190415131927", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Palladium (Large)" + ], + "station": "Decrafting", + "source_page": "Wolf Plate Armor" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Large)", + "result": "2x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Palladium Scrap", + "Decraft: Palladium (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Grants 10% Cooldown Reduction", + "enchantment": "Adrenaline" + }, + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Adrenaline", + "Grants 10% Cooldown Reduction" + ], + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "49.2%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "11.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "49.2%", + "Levant" + ], + [ + "Bradley Auteil, Armory", + "1 - 4", + "11.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "8.3%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Wolf Plate Armor is a type of Armor in Outward." + }, + { + "name": "Wolf Plate Boots", + "url": "https://outward.fandom.com/wiki/Wolf_Plate_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "350", + "Cold Weather Def.": "3", + "Damage Resist": "18% 15%", + "Durability": "460", + "Impact Resist": "12%", + "Item Set": "Wolf Plate Set", + "Movement Speed": "-1%", + "Object ID": "3100013", + "Protection": "2", + "Sell": "116", + "Slot": "Legs", + "Stamina Cost": "4%", + "Weight": "10.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/23/Wolf_Plate_Boots.png/revision/latest?cb=20190415161337", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Wolf Plate Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "49.2%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "49.2%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "8.3%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Wolf Plate Boots is a type of Armor in Outward." + }, + { + "name": "Wolf Plate Full-Helm", + "url": "https://outward.fandom.com/wiki/Wolf_Plate_Full-Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "350", + "Damage Resist": "21% 15%", + "Durability": "460", + "Impact Resist": "12%", + "Item Set": "Wolf Plate Set", + "Mana Cost": "30%", + "Movement Speed": "-4%", + "Object ID": "3100012", + "Protection": "2", + "Sell": "116", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/e/ed/Wolf_Plate_Full-Helm.png/revision/latest?cb=20190411085435", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Wolf Plate Full-Helm" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +5% Cooldown Reduction", + "enchantment": "Instinct" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Instinct", + "Gain +5% Cooldown Reduction" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "49.2%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "49.2%", + "Levant" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.2%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "4.2%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ] + ] + } + ], + "description": "Wolf Plate Full-Helm is a type of Armor in Outward." + }, + { + "name": "Wolf Plate Helm", + "url": "https://outward.fandom.com/wiki/Wolf_Plate_Helm", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "350", + "Cold Weather Def.": "3", + "Damage Resist": "18% 15%", + "Durability": "460", + "Impact Resist": "12%", + "Item Set": "Wolf Plate Set", + "Mana Cost": "15%", + "Movement Speed": "-4%", + "Object ID": "3100011", + "Protection": "2", + "Sell": "116", + "Slot": "Head", + "Stamina Cost": "4%", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/dd/Wolf_Plate_Helm.png/revision/latest?cb=20190411085452", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Wolf Plate Helm" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +5% Cooldown Reduction", + "enchantment": "Instinct" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Instinct", + "Gain +5% Cooldown Reduction" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "10.9%", + "locations": "Harmattan", + "quantity": "1 - 4", + "source": "Bradley Auteil, Armory" + } + ], + "raw_rows": [ + [ + "Bradley Auteil, Armory", + "1 - 4", + "10.9%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "4.2%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.8%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "4.2%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.8%", + "New Sirocco" + ] + ] + } + ], + "description": "Wolf Plate Helm is a type of Armor in Outward." + }, + { + "name": "Wolf Plate Set", + "url": "https://outward.fandom.com/wiki/Wolf_Plate_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1400", + "Cold Weather Def.": "9", + "Damage Resist": "65% 60%", + "Durability": "1380", + "Hot Weather Def.": "-12", + "Impact Resist": "44%", + "Mana Cost": "30%", + "Movement Speed": "-9%", + "Object ID": "3100010 (Chest)3100013 (Legs)3100012 (Head)", + "Protection": "7", + "Sell": "465", + "Slot": "Set", + "Stamina Cost": "14%", + "Weight": "32.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/44/Wolf_plate_set.png/revision/latest/scale-to-width-down/245?cb=20190415213827", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-4%", + "column_4": "20%", + "column_5": "3", + "column_6": "-12", + "column_7": "6", + "column_8": "6%", + "column_9": "–", + "durability": "460", + "name": "Wolf Plate Armor", + "resistances": "26% 30%", + "weight": "16.0" + }, + { + "class": "Boots", + "column_10": "-1%", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "3", + "column_8": "4%", + "column_9": "–", + "durability": "460", + "name": "Wolf Plate Boots", + "resistances": "18% 15%", + "weight": "10.0" + }, + { + "class": "Helmets", + "column_10": "-4%", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "–", + "column_8": "4%", + "column_9": "30%", + "durability": "460", + "name": "Wolf Plate Full-Helm", + "resistances": "21% 15%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_10": "-4%", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "3", + "column_8": "4%", + "column_9": "15%", + "durability": "460", + "name": "Wolf Plate Helm", + "resistances": "18% 15%", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Wolf Plate Armor", + "26% 30%", + "20%", + "3", + "-12", + "6", + "6%", + "–", + "-4%", + "460", + "16.0", + "Body Armor" + ], + [ + "", + "Wolf Plate Boots", + "18% 15%", + "12%", + "2", + "–", + "3", + "4%", + "–", + "-1%", + "460", + "10.0", + "Boots" + ], + [ + "", + "Wolf Plate Full-Helm", + "21% 15%", + "12%", + "2", + "–", + "–", + "4%", + "30%", + "-4%", + "460", + "6.0", + "Helmets" + ], + [ + "", + "Wolf Plate Helm", + "18% 15%", + "12%", + "2", + "–", + "3", + "4%", + "15%", + "-4%", + "460", + "6.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "20", + "column_6": "5.2", + "damage": "37", + "durability": "350", + "effects": "Crippled", + "name": "Wolf Axe", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Bow", + "column_4": "16", + "column_6": "2.99", + "damage": "39", + "durability": "325", + "effects": "Crippled", + "name": "Wolf Bow", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Chakram", + "column_4": "33", + "column_6": "–", + "damage": "39", + "durability": "375", + "effects": "Crippled", + "name": "Wolf Chakram", + "resist": "–", + "speed": "1.0", + "weight": "2.0" + }, + { + "class": "2H Sword", + "column_4": "34", + "column_6": "7.2", + "damage": "43", + "durability": "375", + "effects": "Crippled", + "name": "Wolf Claymore", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "Dagger", + "column_4": "33", + "column_6": "–", + "damage": "35", + "durability": "275", + "effects": "Crippled", + "name": "Wolf Dagger", + "resist": "–", + "speed": "1.0", + "weight": "2.0" + }, + { + "class": "2H Axe", + "column_4": "31", + "column_6": "7.15", + "damage": "43", + "durability": "400", + "effects": "Crippled", + "name": "Wolf Greataxe", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "2H Mace", + "column_4": "39", + "column_6": "7.2", + "damage": "42", + "durability": "350", + "effects": "Crippled", + "name": "Wolf Greathammer", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "Halberd", + "column_4": "36", + "column_6": "6.5", + "damage": "38", + "durability": "400", + "effects": "Crippled", + "name": "Wolf Halberd", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "2H Gauntlet", + "column_4": "14", + "column_6": "2.6", + "damage": "33", + "durability": "375", + "effects": "Crippled", + "name": "Wolf Knuckles", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "33", + "column_6": "5.2", + "damage": "40", + "durability": "425", + "effects": "Crippled", + "name": "Wolf Mace", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Pistol", + "column_4": "53", + "column_6": "–", + "damage": "87", + "durability": "275", + "effects": "Crippled", + "name": "Wolf Pistol", + "resist": "–", + "speed": "1.0", + "weight": "2.0" + }, + { + "class": "Shield", + "column_4": "44", + "column_6": "–", + "damage": "41", + "durability": "400", + "effects": "Crippled", + "name": "Wolf Shield", + "resist": "18%", + "speed": "1.0", + "weight": "8.0" + }, + { + "class": "Spear", + "column_4": "19", + "column_6": "5.2", + "damage": "44", + "durability": "325", + "effects": "Crippled", + "name": "Wolf Spear", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "1H Sword", + "column_4": "19", + "column_6": "4.55", + "damage": "35", + "durability": "300", + "effects": "Crippled", + "name": "Wolf Sword", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Wolf Axe", + "37", + "20", + "–", + "5.2", + "1.0", + "350", + "5.0", + "Crippled", + "1H Axe" + ], + [ + "", + "Wolf Bow", + "39", + "16", + "–", + "2.99", + "1.0", + "325", + "4.0", + "Crippled", + "Bow" + ], + [ + "", + "Wolf Chakram", + "39", + "33", + "–", + "–", + "1.0", + "375", + "2.0", + "Crippled", + "Chakram" + ], + [ + "", + "Wolf Claymore", + "43", + "34", + "–", + "7.2", + "1.0", + "375", + "7.0", + "Crippled", + "2H Sword" + ], + [ + "", + "Wolf Dagger", + "35", + "33", + "–", + "–", + "1.0", + "275", + "2.0", + "Crippled", + "Dagger" + ], + [ + "", + "Wolf Greataxe", + "43", + "31", + "–", + "7.15", + "1.0", + "400", + "7.0", + "Crippled", + "2H Axe" + ], + [ + "", + "Wolf Greathammer", + "42", + "39", + "–", + "7.2", + "1.0", + "350", + "7.0", + "Crippled", + "2H Mace" + ], + [ + "", + "Wolf Halberd", + "38", + "36", + "–", + "6.5", + "1.0", + "400", + "7.0", + "Crippled", + "Halberd" + ], + [ + "", + "Wolf Knuckles", + "33", + "14", + "–", + "2.6", + "1.0", + "375", + "3.0", + "Crippled", + "2H Gauntlet" + ], + [ + "", + "Wolf Mace", + "40", + "33", + "–", + "5.2", + "1.0", + "425", + "6.0", + "Crippled", + "1H Mace" + ], + [ + "", + "Wolf Pistol", + "87", + "53", + "–", + "–", + "1.0", + "275", + "2.0", + "Crippled", + "Pistol" + ], + [ + "", + "Wolf Shield", + "41", + "44", + "18%", + "–", + "1.0", + "400", + "8.0", + "Crippled", + "Shield" + ], + [ + "", + "Wolf Spear", + "44", + "19", + "–", + "5.2", + "1.0", + "325", + "6.0", + "Crippled", + "Spear" + ], + [ + "", + "Wolf Sword", + "35", + "19", + "–", + "4.55", + "1.0", + "300", + "5.0", + "Crippled", + "1H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Body Armor", + "column_10": "-4%", + "column_4": "20%", + "column_5": "3", + "column_6": "-12", + "column_7": "6", + "column_8": "6%", + "column_9": "–", + "durability": "460", + "name": "Wolf Plate Armor", + "resistances": "26% 30%", + "weight": "16.0" + }, + { + "class": "Boots", + "column_10": "-1%", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "3", + "column_8": "4%", + "column_9": "–", + "durability": "460", + "name": "Wolf Plate Boots", + "resistances": "18% 15%", + "weight": "10.0" + }, + { + "class": "Helmets", + "column_10": "-4%", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "–", + "column_8": "4%", + "column_9": "30%", + "durability": "460", + "name": "Wolf Plate Full-Helm", + "resistances": "21% 15%", + "weight": "6.0" + }, + { + "class": "Helmets", + "column_10": "-4%", + "column_4": "12%", + "column_5": "2", + "column_6": "–", + "column_7": "3", + "column_8": "4%", + "column_9": "15%", + "durability": "460", + "name": "Wolf Plate Helm", + "resistances": "18% 15%", + "weight": "6.0" + } + ], + "raw_rows": [ + [ + "", + "Wolf Plate Armor", + "26% 30%", + "20%", + "3", + "-12", + "6", + "6%", + "–", + "-4%", + "460", + "16.0", + "Body Armor" + ], + [ + "", + "Wolf Plate Boots", + "18% 15%", + "12%", + "2", + "–", + "3", + "4%", + "–", + "-1%", + "460", + "10.0", + "Boots" + ], + [ + "", + "Wolf Plate Full-Helm", + "21% 15%", + "12%", + "2", + "–", + "–", + "4%", + "30%", + "-4%", + "460", + "6.0", + "Helmets" + ], + [ + "", + "Wolf Plate Helm", + "18% 15%", + "12%", + "2", + "–", + "3", + "4%", + "15%", + "-4%", + "460", + "6.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Resist", + "Column 6", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "1H Axe", + "column_4": "20", + "column_6": "5.2", + "damage": "37", + "durability": "350", + "effects": "Crippled", + "name": "Wolf Axe", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + }, + { + "class": "Bow", + "column_4": "16", + "column_6": "2.99", + "damage": "39", + "durability": "325", + "effects": "Crippled", + "name": "Wolf Bow", + "resist": "–", + "speed": "1.0", + "weight": "4.0" + }, + { + "class": "Chakram", + "column_4": "33", + "column_6": "–", + "damage": "39", + "durability": "375", + "effects": "Crippled", + "name": "Wolf Chakram", + "resist": "–", + "speed": "1.0", + "weight": "2.0" + }, + { + "class": "2H Sword", + "column_4": "34", + "column_6": "7.2", + "damage": "43", + "durability": "375", + "effects": "Crippled", + "name": "Wolf Claymore", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "Dagger", + "column_4": "33", + "column_6": "–", + "damage": "35", + "durability": "275", + "effects": "Crippled", + "name": "Wolf Dagger", + "resist": "–", + "speed": "1.0", + "weight": "2.0" + }, + { + "class": "2H Axe", + "column_4": "31", + "column_6": "7.15", + "damage": "43", + "durability": "400", + "effects": "Crippled", + "name": "Wolf Greataxe", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "2H Mace", + "column_4": "39", + "column_6": "7.2", + "damage": "42", + "durability": "350", + "effects": "Crippled", + "name": "Wolf Greathammer", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "Halberd", + "column_4": "36", + "column_6": "6.5", + "damage": "38", + "durability": "400", + "effects": "Crippled", + "name": "Wolf Halberd", + "resist": "–", + "speed": "1.0", + "weight": "7.0" + }, + { + "class": "2H Gauntlet", + "column_4": "14", + "column_6": "2.6", + "damage": "33", + "durability": "375", + "effects": "Crippled", + "name": "Wolf Knuckles", + "resist": "–", + "speed": "1.0", + "weight": "3.0" + }, + { + "class": "1H Mace", + "column_4": "33", + "column_6": "5.2", + "damage": "40", + "durability": "425", + "effects": "Crippled", + "name": "Wolf Mace", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "Pistol", + "column_4": "53", + "column_6": "–", + "damage": "87", + "durability": "275", + "effects": "Crippled", + "name": "Wolf Pistol", + "resist": "–", + "speed": "1.0", + "weight": "2.0" + }, + { + "class": "Shield", + "column_4": "44", + "column_6": "–", + "damage": "41", + "durability": "400", + "effects": "Crippled", + "name": "Wolf Shield", + "resist": "18%", + "speed": "1.0", + "weight": "8.0" + }, + { + "class": "Spear", + "column_4": "19", + "column_6": "5.2", + "damage": "44", + "durability": "325", + "effects": "Crippled", + "name": "Wolf Spear", + "resist": "–", + "speed": "1.0", + "weight": "6.0" + }, + { + "class": "1H Sword", + "column_4": "19", + "column_6": "4.55", + "damage": "35", + "durability": "300", + "effects": "Crippled", + "name": "Wolf Sword", + "resist": "–", + "speed": "1.0", + "weight": "5.0" + } + ], + "raw_rows": [ + [ + "", + "Wolf Axe", + "37", + "20", + "–", + "5.2", + "1.0", + "350", + "5.0", + "Crippled", + "1H Axe" + ], + [ + "", + "Wolf Bow", + "39", + "16", + "–", + "2.99", + "1.0", + "325", + "4.0", + "Crippled", + "Bow" + ], + [ + "", + "Wolf Chakram", + "39", + "33", + "–", + "–", + "1.0", + "375", + "2.0", + "Crippled", + "Chakram" + ], + [ + "", + "Wolf Claymore", + "43", + "34", + "–", + "7.2", + "1.0", + "375", + "7.0", + "Crippled", + "2H Sword" + ], + [ + "", + "Wolf Dagger", + "35", + "33", + "–", + "–", + "1.0", + "275", + "2.0", + "Crippled", + "Dagger" + ], + [ + "", + "Wolf Greataxe", + "43", + "31", + "–", + "7.15", + "1.0", + "400", + "7.0", + "Crippled", + "2H Axe" + ], + [ + "", + "Wolf Greathammer", + "42", + "39", + "–", + "7.2", + "1.0", + "350", + "7.0", + "Crippled", + "2H Mace" + ], + [ + "", + "Wolf Halberd", + "38", + "36", + "–", + "6.5", + "1.0", + "400", + "7.0", + "Crippled", + "Halberd" + ], + [ + "", + "Wolf Knuckles", + "33", + "14", + "–", + "2.6", + "1.0", + "375", + "3.0", + "Crippled", + "2H Gauntlet" + ], + [ + "", + "Wolf Mace", + "40", + "33", + "–", + "5.2", + "1.0", + "425", + "6.0", + "Crippled", + "1H Mace" + ], + [ + "", + "Wolf Pistol", + "87", + "53", + "–", + "–", + "1.0", + "275", + "2.0", + "Crippled", + "Pistol" + ], + [ + "", + "Wolf Shield", + "41", + "44", + "18%", + "–", + "1.0", + "400", + "8.0", + "Crippled", + "Shield" + ], + [ + "", + "Wolf Spear", + "44", + "19", + "–", + "5.2", + "1.0", + "325", + "6.0", + "Crippled", + "Spear" + ], + [ + "", + "Wolf Sword", + "35", + "19", + "–", + "4.55", + "1.0", + "300", + "5.0", + "Crippled", + "1H Sword" + ] + ] + } + ], + "description": "Wolf Plate Set is a Set in Outward." + }, + { + "name": "Wolf Shield", + "url": "https://outward.fandom.com/wiki/Wolf_Shield", + "categories": [ + "Items", + "Weapons", + "Shields" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Shields", + "Damage": "41", + "Durability": "400", + "Effects": "Crippled", + "Impact": "44", + "Impact Resist": "18%", + "Item Set": "Wolf Plate Set", + "Object ID": "2300050", + "Sell": "240", + "Type": "One-Handed", + "Weight": "8.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8f/Wolf_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407065549", + "effects": [ + "Inflicts Crippled (60% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Wolf Shield" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "49.2%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "49.2%", + "Levant" + ], + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "8.3%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Wolf Shield is a type of Shield in Outward." + }, + { + "name": "Wolf Spear", + "url": "https://outward.fandom.com/wiki/Wolf_Spear", + "categories": [ + "DLC: The Soroboreans", + "Items", + "Weapons", + "Spears" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "1000", + "Class": "Spears", + "DLC": "The Soroboreans", + "Damage": "44", + "Durability": "325", + "Effects": "Crippled", + "Impact": "19", + "Item Set": "Wolf Plate Set", + "Object ID": "2130220", + "Sell": "300", + "Stamina Cost": "5.2", + "Type": "Two-Handed", + "Weight": "6" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/b/b7/Wolf_Spear.png/revision/latest/scale-to-width-down/83?cb=20200616185751", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "5.2", + "damage": "44", + "description": "Two forward-thrusting stabs", + "impact": "19", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "61.6", + "description": "Forward-lunging strike", + "impact": "22.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "57.2", + "description": "Left-sweeping strike, jump back", + "impact": "22.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "6.5", + "damage": "52.8", + "description": "Fast spinning strike from the right", + "impact": "20.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "44", + "19", + "5.2", + "2", + "Two forward-thrusting stabs" + ], + [ + "Special", + "61.6", + "22.8", + "6.5", + "1", + "Forward-lunging strike" + ], + [ + "Standard \u003e Special", + "57.2", + "22.8", + "6.5", + "1", + "Left-sweeping strike, jump back" + ], + [ + "Standard \u003e Standard \u003e Special", + "52.8", + "20.9", + "6.5", + "1", + "Fast spinning strike from the right" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "6.5%", + "locations": "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse", + "quantity": "1", + "source": "Ornate Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "6.5%", + "Blood Mage Hideout, Compromised Mana Transfer Station, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility, Ruined Warehouse" + ] + ] + } + ], + "description": "Wolf Spear is a type of Weapon in Outward." + }, + { + "name": "Wolf Sword", + "url": "https://outward.fandom.com/wiki/Wolf_Sword", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Swords", + "Damage": "35", + "Durability": "300", + "Effects": "Crippled", + "Impact": "19", + "Item Set": "Wolf Plate Set", + "Object ID": "2000030", + "Sell": "240", + "Stamina Cost": "4.55", + "Type": "One-Handed", + "Weight": "5.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/88/Wolf_Sword.png/revision/latest?cb=20190413073031", + "recipes": [ + { + "result": "Palladium Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Palladium (Small)" + ], + "station": "Decrafting", + "source_page": "Wolf Sword" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.55", + "damage": "35", + "description": "Two slash attacks, left to right", + "impact": "19", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.46", + "damage": "52.33", + "description": "Forward-thrusting strike", + "impact": "24.7", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "44.28", + "description": "Heavy left-lunging strike", + "impact": "20.9", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.01", + "damage": "44.28", + "description": "Heavy right-lunging strike", + "impact": "20.9", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "35", + "19", + "4.55", + "2", + "Two slash attacks, left to right" + ], + [ + "Special", + "52.33", + "24.7", + "5.46", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "44.28", + "20.9", + "5.01", + "1", + "Heavy left-lunging strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "44.28", + "20.9", + "5.01", + "1", + "Heavy right-lunging strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Palladium (Small)", + "result": "1x Palladium Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Palladium Scrap", + "Decraft: Palladium (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "49.2%", + "locations": "Levant", + "quantity": "1 - 15", + "source": "Tamara the Smuggler" + }, + { + "chance": "12.7%", + "locations": "Harmattan", + "quantity": "1 - 5", + "source": "Cera Carillion, Weaponsmith" + } + ], + "raw_rows": [ + [ + "Tamara the Smuggler", + "1 - 15", + "49.2%", + "Levant" + ], + [ + "Cera Carillion, Weaponsmith", + "1 - 5", + "12.7%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "8.3%", + "locations": "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage", + "quantity": "1", + "source": "Ornate Chest" + }, + { + "chance": "0.6%", + "locations": "New Sirocco", + "quantity": "1", + "source": "Gladiator's Arena/Chest" + } + ], + "raw_rows": [ + [ + "Ornate Chest", + "1", + "8.3%", + "Abrassar, Ancient Hive, Cabal of Wind Outpost, Sand Rose Cave, Undercity Passage" + ], + [ + "Gladiator's Arena/Chest", + "1", + "0.6%", + "New Sirocco" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Wolf Sword is an Sword type weapon in Outward." + }, + { + "name": "Wood", + "url": "https://outward.fandom.com/wiki/Wood", + "categories": [ + "Ingredient", + "Items" + ], + "infobox": { + "Buy": "2", + "Object ID": "6100010", + "Sell": "0", + "Type": "Ingredient", + "Weight": "0.3" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/df/Wood.png/revision/latest/scale-to-width-down/83?cb=20190625134727", + "recipes": [ + { + "result": "Arrow", + "result_count": "3x", + "ingredients": [ + "Iron Scrap", + "Wood" + ], + "station": "None", + "source_page": "Wood" + }, + { + "result": "Campfire Kit", + "result_count": "1x", + "ingredients": [ + "Wood", + "Wood", + "Wood" + ], + "station": "None", + "source_page": "Wood" + }, + { + "result": "Flaming Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Thick Oil" + ], + "station": "Alchemy Kit", + "source_page": "Wood" + }, + { + "result": "Holy Rage Arrow", + "result_count": "3x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Gold-Lich Mechanism" + ], + "station": "Alchemy Kit", + "source_page": "Wood" + }, + { + "result": "Makeshift Torch", + "result_count": "1x", + "ingredients": [ + "Wood", + "Linen Cloth" + ], + "station": "None", + "source_page": "Wood" + }, + { + "result": "Mana Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Wood" + }, + { + "result": "Palladium Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Palladium Scrap" + ], + "station": "Alchemy Kit", + "source_page": "Wood" + }, + { + "result": "Plank Shield", + "result_count": "1x", + "ingredients": [ + "Wood", + "Linen Cloth", + "Linen Cloth" + ], + "station": "None", + "source_page": "Wood" + }, + { + "result": "Poison Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Grilled Crabeye Seed" + ], + "station": "Alchemy Kit", + "source_page": "Wood" + }, + { + "result": "Primitive Club", + "result_count": "1x", + "ingredients": [ + "Wood", + "Wood" + ], + "station": "None", + "source_page": "Wood" + }, + { + "result": "Quarterstaff", + "result_count": "1x", + "ingredients": [ + "Wood", + "Wood", + "Linen Cloth" + ], + "station": "None", + "source_page": "Wood" + }, + { + "result": "Soul Rupture Arrow", + "result_count": "3x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Hexa Stone" + ], + "station": "Alchemy Kit", + "source_page": "Wood" + }, + { + "result": "Spikes – Wood", + "result_count": "3x", + "ingredients": [ + "Wood", + "Wood", + "Wood", + "Wood" + ], + "station": "None", + "source_page": "Wood" + }, + { + "result": "Tripwire Trap", + "result_count": "2x", + "ingredients": [ + "Iron Scrap", + "Iron Scrap", + "Wood", + "Linen Cloth" + ], + "station": "None", + "source_page": "Wood" + }, + { + "result": "Venom Arrow", + "result_count": "5x", + "ingredients": [ + "Arrowhead Kit", + "Wood", + "Miasmapod" + ], + "station": "Alchemy Kit", + "source_page": "Wood" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Iron ScrapWood", + "result": "3x Arrow", + "station": "None" + }, + { + "ingredients": "WoodWoodWood", + "result": "1x Campfire Kit", + "station": "None" + }, + { + "ingredients": "Arrowhead KitWoodThick Oil", + "result": "5x Flaming Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodGold-Lich Mechanism", + "result": "3x Holy Rage Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "WoodLinen Cloth", + "result": "1x Makeshift Torch", + "station": "None" + }, + { + "ingredients": "Arrowhead KitWoodGhost's Eye", + "result": "5x Mana Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "Arrowhead KitWoodPalladium Scrap", + "result": "5x Palladium Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "WoodLinen ClothLinen Cloth", + "result": "1x Plank Shield", + "station": "None" + }, + { + "ingredients": "Arrowhead KitWoodGrilled Crabeye Seed", + "result": "5x Poison Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "WoodWood", + "result": "1x Primitive Club", + "station": "None" + }, + { + "ingredients": "WoodWoodLinen Cloth", + "result": "1x Quarterstaff", + "station": "None" + }, + { + "ingredients": "Arrowhead KitWoodHexa Stone", + "result": "3x Soul Rupture Arrow", + "station": "Alchemy Kit" + }, + { + "ingredients": "WoodWoodWoodWood", + "result": "3x Spikes – Wood", + "station": "None" + }, + { + "ingredients": "Iron ScrapIron ScrapWoodLinen Cloth", + "result": "2x Tripwire Trap", + "station": "None" + }, + { + "ingredients": "Arrowhead KitWoodMiasmapod", + "result": "5x Venom Arrow", + "station": "Alchemy Kit" + } + ], + "raw_rows": [ + [ + "3x Arrow", + "Iron ScrapWood", + "None" + ], + [ + "1x Campfire Kit", + "WoodWoodWood", + "None" + ], + [ + "5x Flaming Arrow", + "Arrowhead KitWoodThick Oil", + "Alchemy Kit" + ], + [ + "3x Holy Rage Arrow", + "Arrowhead KitWoodGold-Lich Mechanism", + "Alchemy Kit" + ], + [ + "1x Makeshift Torch", + "WoodLinen Cloth", + "None" + ], + [ + "5x Mana Arrow", + "Arrowhead KitWoodGhost's Eye", + "Alchemy Kit" + ], + [ + "5x Palladium Arrow", + "Arrowhead KitWoodPalladium Scrap", + "Alchemy Kit" + ], + [ + "1x Plank Shield", + "WoodLinen ClothLinen Cloth", + "None" + ], + [ + "5x Poison Arrow", + "Arrowhead KitWoodGrilled Crabeye Seed", + "Alchemy Kit" + ], + [ + "1x Primitive Club", + "WoodWood", + "None" + ], + [ + "1x Quarterstaff", + "WoodWoodLinen Cloth", + "None" + ], + [ + "3x Soul Rupture Arrow", + "Arrowhead KitWoodHexa Stone", + "Alchemy Kit" + ], + [ + "3x Spikes – Wood", + "WoodWoodWoodWood", + "None" + ], + [ + "2x Tripwire Trap", + "Iron ScrapIron ScrapWoodLinen Cloth", + "None" + ], + [ + "5x Venom Arrow", + "Arrowhead KitWoodMiasmapod", + "Alchemy Kit" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "10 - 20", + "source": "Pholiota/High Stock" + }, + { + "chance": "100%", + "locations": "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility", + "quantity": "3 - 5", + "source": "Pholiota/Low Stock" + }, + { + "chance": "100%", + "locations": "Vendavel Fortress", + "quantity": "1 - 3", + "source": "Vendavel Prisoner" + } + ], + "raw_rows": [ + [ + "Pholiota/High Stock", + "10 - 20", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Pholiota/Low Stock", + "3 - 5", + "100%", + "Abandoned Living Quarters, Ancient Foundry, Bandit Hideout, Compromised Mana Transfer Station, Crumbling Loading Docks, Destroyed Test Chambers, Forgotten Research Laboratory, Lost Golem Manufacturing Facility" + ], + [ + "Vendavel Prisoner", + "1 - 3", + "100%", + "Vendavel Fortress" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "21%", + "quantity": "1 - 2", + "source": "Troglodyte Knight" + }, + { + "chance": "11.9%", + "quantity": "1", + "source": "Armored Troglodyte" + }, + { + "chance": "11.9%", + "quantity": "1", + "source": "Troglodyte" + }, + { + "chance": "11.9%", + "quantity": "1", + "source": "Troglodyte Grenadier" + }, + { + "chance": "7.7%", + "quantity": "3", + "source": "Mana Troglodyte" + }, + { + "chance": "7.7%", + "quantity": "3", + "source": "Troglodyte Archmage" + } + ], + "raw_rows": [ + [ + "Troglodyte Knight", + "1 - 2", + "21%" + ], + [ + "Armored Troglodyte", + "1", + "11.9%" + ], + [ + "Troglodyte", + "1", + "11.9%" + ], + [ + "Troglodyte Grenadier", + "1", + "11.9%" + ], + [ + "Mana Troglodyte", + "3", + "7.7%" + ], + [ + "Troglodyte Archmage", + "3", + "7.7%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "12.5%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry", + "quantity": "1 - 6", + "source": "Junk Pile" + }, + { + "chance": "12.5%", + "locations": "Royal Manticore's Lair", + "quantity": "1 - 6", + "source": "Scavenger's Corpse" + }, + { + "chance": "12.5%", + "locations": "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island", + "quantity": "1 - 6", + "source": "Trog Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 6", + "source": "Adventurer's Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 6", + "source": "Broken Tent" + }, + { + "chance": "8.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 6", + "source": "Calygrey Chest" + }, + { + "chance": "8.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 6", + "source": "Chest" + }, + { + "chance": "8.6%", + "locations": "Abrassar, Trog Infiltration", + "quantity": "1 - 6", + "source": "Corpse" + }, + { + "chance": "8.6%", + "locations": "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach", + "quantity": "1 - 6", + "source": "Hollowed Trunk" + } + ], + "raw_rows": [ + [ + "Junk Pile", + "1 - 6", + "12.5%", + "Blister Burrow, Blue Chamber's Conflux Path, Heroic Kingdom's Conflux Path, Holy Mission's Conflux Path, Jade Quarry" + ], + [ + "Scavenger's Corpse", + "1 - 6", + "12.5%", + "Royal Manticore's Lair" + ], + [ + "Trog Chest", + "1 - 6", + "12.5%", + "Abandoned Living Quarters, Blister Burrow, Blue Chamber's Conflux Path, Destroyed Test Chambers, Jade Quarry, Royal Manticore's Lair, Trog Infiltration, Troglodyte Warren, Under Island" + ], + [ + "Broken Tent", + "1 - 2", + "9.1%", + "Hallowed Marsh" + ], + [ + "Adventurer's Corpse", + "1 - 6", + "8.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 6", + "8.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 6", + "8.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 6", + "8.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ], + [ + "Corpse", + "1 - 6", + "8.6%", + "Abrassar, Trog Infiltration" + ], + [ + "Hollowed Trunk", + "1 - 6", + "8.6%", + "Antique Plateau, Chersonese, Enmerkar Forest, Hallowed Marsh, Hive Trap, Reptilian Lair, Shipwreck Beach" + ] + ] + } + ], + "description": "Wood is a common crafting item, harvested from trees without any special tools. Harvesting wood from a tree results in 3 wood." + }, + { + "name": "Woolshroom", + "url": "https://outward.fandom.com/wiki/Woolshroom", + "categories": [ + "Items", + "Consumables" + ], + "infobox": { + "Buy": "3", + "Effects": "Stealth Up", + "Hunger": "7.5%", + "Object ID": "4000240", + "Perish Time": "8 Days", + "Sell": "1", + "Type": "Food", + "Weight": "0.2" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/34/Woolshroom.png/revision/latest/scale-to-width-down/83?cb=20190410132102", + "effects": [ + "Restores 75 Hunger", + "Player receives Stealth Up" + ], + "recipes": [ + { + "result": "Bread Of The Wild", + "result_count": "3x", + "ingredients": [ + "Smoke Root", + "Raw Alpha Meat", + "Woolshroom", + "Bread" + ], + "station": "Cooking Pot", + "source_page": "Woolshroom" + }, + { + "result": "Fungal Cleanser", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Mushroom", + "Ochre Spice Beetle" + ], + "station": "Cooking Pot", + "source_page": "Woolshroom" + }, + { + "result": "Gargargar!", + "result_count": "1x", + "ingredients": [ + "Basic Armor", + "Woolshroom" + ], + "station": "None", + "source_page": "Woolshroom" + }, + { + "result": "Grilled Woolshroom", + "result_count": "1x", + "ingredients": [ + "Woolshroom" + ], + "station": "Campfire", + "source_page": "Woolshroom" + }, + { + "result": "Life Potion", + "result_count": "1x", + "ingredients": [ + "Coralhorn Antler", + "Woolshroom" + ], + "station": "Alchemy Kit", + "source_page": "Woolshroom" + }, + { + "result": "Stealth Potion", + "result_count": "3x", + "ingredients": [ + "Water", + "Woolshroom", + "Ghost's Eye" + ], + "station": "Alchemy Kit", + "source_page": "Woolshroom" + }, + { + "result": "Stringy Salad", + "result_count": "3x", + "ingredients": [ + "Woolshroom", + "Woolshroom", + "Vegetable", + "Vegetable" + ], + "station": "Cooking Pot", + "source_page": "Woolshroom" + } + ], + "tables": [ + { + "title": "Crafting / Used in", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Smoke RootRaw Alpha MeatWoolshroomBread", + "result": "3x Bread Of The Wild", + "station": "Cooking Pot" + }, + { + "ingredients": "WoolshroomMushroomOchre Spice Beetle", + "result": "3x Fungal Cleanser", + "station": "Cooking Pot" + }, + { + "ingredients": "Basic ArmorWoolshroom", + "result": "1x Gargargar!", + "station": "None" + }, + { + "ingredients": "Woolshroom", + "result": "1x Grilled Woolshroom", + "station": "Campfire" + }, + { + "ingredients": "Coralhorn AntlerWoolshroom", + "result": "1x Life Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WaterWoolshroomGhost's Eye", + "result": "3x Stealth Potion", + "station": "Alchemy Kit" + }, + { + "ingredients": "WoolshroomWoolshroomVegetableVegetable", + "result": "3x Stringy Salad", + "station": "Cooking Pot" + } + ], + "raw_rows": [ + [ + "3x Bread Of The Wild", + "Smoke RootRaw Alpha MeatWoolshroomBread", + "Cooking Pot" + ], + [ + "3x Fungal Cleanser", + "WoolshroomMushroomOchre Spice Beetle", + "Cooking Pot" + ], + [ + "1x Gargargar!", + "Basic ArmorWoolshroom", + "None" + ], + [ + "1x Grilled Woolshroom", + "Woolshroom", + "Campfire" + ], + [ + "1x Life Potion", + "Coralhorn AntlerWoolshroom", + "Alchemy Kit" + ], + [ + "3x Stealth Potion", + "WaterWoolshroomGhost's Eye", + "Alchemy Kit" + ], + [ + "3x Stringy Salad", + "WoolshroomWoolshroomVegetableVegetable", + "Cooking Pot" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Woolshroom (Gatherable)" + } + ], + "raw_rows": [ + [ + "Woolshroom (Gatherable)", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "41.4%", + "locations": "Harmattan", + "quantity": "4", + "source": "Ibolya Battleborn, Chef" + }, + { + "chance": "17.5%", + "locations": "Harmattan", + "quantity": "3", + "source": "Robyn Garnet, Alchemist" + } + ], + "raw_rows": [ + [ + "Ibolya Battleborn, Chef", + "4", + "41.4%", + "Harmattan" + ], + [ + "Robyn Garnet, Alchemist", + "3", + "17.5%", + "Harmattan" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "29.8%", + "quantity": "1 - 3", + "source": "Phytosaur" + } + ], + "raw_rows": [ + [ + "Phytosaur", + "1 - 3", + "29.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "27.3%", + "locations": "Old Hunter's Cabin", + "quantity": "1 - 2", + "source": "Chest" + }, + { + "chance": "27.3%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Junk Pile" + }, + { + "chance": "27.3%", + "locations": "Cabal of Wind Temple, Damp Hunter's Cabin", + "quantity": "1 - 2", + "source": "Knight's Corpse" + }, + { + "chance": "27.3%", + "locations": "Berg", + "quantity": "1 - 2", + "source": "Stash" + }, + { + "chance": "27.3%", + "locations": "Cabal of Wind Temple, Face of the Ancients", + "quantity": "1 - 2", + "source": "Worker's Corpse" + }, + { + "chance": "22.1%", + "locations": "Under Island", + "quantity": "2 - 8", + "source": "Trog Chest" + }, + { + "chance": "9.8%", + "locations": "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility", + "quantity": "1 - 4", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.8%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 4", + "source": "Broken Tent" + }, + { + "chance": "9.8%", + "locations": "Ark of the Exiled, Steam Bath Tunnels", + "quantity": "1 - 4", + "source": "Calygrey Chest" + }, + { + "chance": "9.8%", + "locations": "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage", + "quantity": "1 - 4", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1 - 2", + "27.3%", + "Old Hunter's Cabin" + ], + [ + "Junk Pile", + "1 - 2", + "27.3%", + "Berg" + ], + [ + "Knight's Corpse", + "1 - 2", + "27.3%", + "Cabal of Wind Temple, Damp Hunter's Cabin" + ], + [ + "Stash", + "1 - 2", + "27.3%", + "Berg" + ], + [ + "Worker's Corpse", + "1 - 2", + "27.3%", + "Cabal of Wind Temple, Face of the Ancients" + ], + [ + "Trog Chest", + "2 - 8", + "22.1%", + "Under Island" + ], + [ + "Adventurer's Corpse", + "1 - 4", + "9.8%", + "Caldera, Hallowed Marsh, Lost Golem Manufacturing Facility" + ], + [ + "Broken Tent", + "1 - 4", + "9.8%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 4", + "9.8%", + "Ark of the Exiled, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 4", + "9.8%", + "Abandoned Living Quarters, Abandoned Storage, Abrassar, Ancient Foundry, Antique Plateau, Cabal of Wind Temple, Chersonese, Cierzo (Destroyed), Compromised Mana Transfer Station, Conflux Chambers, Corrupted Tombs, Corsair's Headquarters, Dark Ziggurat Interior, Dead Roots, Dock's Storage, Dolmen Crypt, Electric Lab, Enmerkar Forest, Face of the Ancients, Ghost Pass, Hallowed Marsh, Hive Prison, Immaculate's Camp, Jade Quarry, Lost Golem Manufacturing Facility, Oil Refinery, Old Harmattan Basement, Old Hunter's Cabin, Reptilian Lair, River's End, Ruined Outpost, Ruined Warehouse, Sand Rose Cave, Scarlet Sanctuary, Stone Titan Caves, The Slide, The Vault of Stone, Undercity Passage, Vendavel Fortress, Vigil Pylon, Voltaic Hatchery, Ziggurat Passage" + ] + ] + } + ], + "description": "Woolshroom is a Food item in Outward." + }, + { + "name": "Worker Boots", + "url": "https://outward.fandom.com/wiki/Worker_Boots", + "categories": [ + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "6", + "Cold Weather Def.": "3", + "Damage Resist": "1%", + "Durability": "90", + "Impact Resist": "1%", + "Item Set": "Worker Set", + "Object ID": "3000083", + "Sell": "2", + "Slot": "Legs", + "Weight": "1.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/2/28/Worker_Boots.png/revision/latest?cb=20190415161655", + "recipes": [ + { + "result": "Linen Cloth", + "result_count": "1x", + "ingredients": [ + "Decraft: Cloth (Small)" + ], + "station": "Decrafting", + "source_page": "Worker Boots" + }, + { + "result": "Makeshift Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Hide" + ], + "station": "None", + "source_page": "Worker Boots" + }, + { + "result": "Scaled Leather Boots", + "result_count": "1x", + "ingredients": [ + "Basic Boots", + "Scaled Leather", + "Scaled Leather", + "Predator Bones" + ], + "station": "None", + "source_page": "Worker Boots" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Cloth (Small)", + "result": "1x Linen Cloth", + "station": "Decrafting" + }, + { + "ingredients": "Basic BootsHide", + "result": "1x Makeshift Leather Boots", + "station": "None" + }, + { + "ingredients": "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "result": "1x Scaled Leather Boots", + "station": "None" + } + ], + "raw_rows": [ + [ + "1x Linen Cloth", + "Decraft: Cloth (Small)", + "Decrafting" + ], + [ + "1x Makeshift Leather Boots", + "Basic BootsHide", + "None" + ], + [ + "1x Scaled Leather Boots", + "Basic BootsScaled LeatherScaled LeatherPredator Bones", + "None" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus", + "enchantment": "Flux" + }, + { + "effects": "+50% Status Resistance to Slow Down, Crippled and Hampered.", + "enchantment": "Freedom" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + }, + { + "effects": "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +12% Impact resistance", + "enchantment": "Unwavering Determination" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Flux", + "Gain +3% Movement Speed bonusGain +5% Lightning damage bonus" + ], + [ + "Freedom", + "+50% Status Resistance to Slow Down, Crippled and Hampered." + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ], + [ + "Unwavering Determination", + "Gain +10% Stamina cost reduction (-10% Stamina costs)Gain +12% Impact resistance" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "19.1%", + "quantity": "1", + "source": "Fishing/Caldera Pods" + }, + { + "chance": "12.9%", + "quantity": "1", + "source": "Fishing/Caldera" + }, + { + "chance": "12.1%", + "quantity": "1", + "source": "Fishing/Cave" + }, + { + "chance": "12.1%", + "quantity": "1", + "source": "Fishing/River (Chersonese)" + }, + { + "chance": "11.8%", + "quantity": "1", + "source": "Fishing/Beach" + } + ], + "raw_rows": [ + [ + "Fishing/Caldera Pods", + "1", + "19.1%" + ], + [ + "Fishing/Caldera", + "1", + "12.9%" + ], + [ + "Fishing/Cave", + "1", + "12.1%" + ], + [ + "Fishing/River (Chersonese)", + "1", + "12.1%" + ], + [ + "Fishing/Beach", + "1", + "11.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "100%", + "locations": "Cierzo", + "quantity": "1", + "source": "Shopkeeper Doran" + }, + { + "chance": "100%", + "locations": "Berg", + "quantity": "1", + "source": "Shopkeeper Pleel" + } + ], + "raw_rows": [ + [ + "Shopkeeper Doran", + "1", + "100%", + "Cierzo" + ], + [ + "Shopkeeper Pleel", + "1", + "100%", + "Berg" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "48.8%", + "quantity": "1 - 4", + "source": "That Annoying Troglodyte" + } + ], + "raw_rows": [ + [ + "That Annoying Troglodyte", + "1 - 4", + "48.8%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "5%", + "locations": "Berg, Enmerkar Forest, Harmattan", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "5%", + "locations": "Shipwreck Beach", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "5%", + "locations": "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "5%", + "locations": "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "5%", + "locations": "Cierzo", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "5%", + "locations": "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "2.6%", + "locations": "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout", + "quantity": "1 - 2", + "source": "Adventurer's Corpse" + }, + { + "chance": "2.6%", + "locations": "Antique Plateau, Chersonese, Corrupted Tombs", + "quantity": "1 - 2", + "source": "Broken Tent" + }, + { + "chance": "2.6%", + "locations": "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels", + "quantity": "1 - 2", + "source": "Calygrey Chest" + }, + { + "chance": "2.6%", + "locations": "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage", + "quantity": "1 - 2", + "source": "Chest" + } + ], + "raw_rows": [ + [ + "Chest", + "1", + "5%", + "Berg, Enmerkar Forest, Harmattan" + ], + [ + "Hollowed Trunk", + "1", + "5%", + "Shipwreck Beach" + ], + [ + "Junk Pile", + "1", + "5%", + "Ancient Foundry, Antique Plateau, Bandit Hideout, Berg, Caldera, Cierzo, Cierzo (Destroyed), Corrupted Cave, Corrupted Tombs, Crumbling Loading Docks, Forgotten Research Laboratory, Giant's Sauna, Harmattan, Holy Mission's Conflux Path, Levant, Monsoon, Montcalm Clan Fort, Oil Refinery, Old Sirocco, Steam Bath Tunnels, Sulphuric Caverns" + ], + [ + "Looter's Corpse", + "1", + "5%", + "Abandoned Living Quarters, Corrupted Tombs, Hallowed Marsh, Vendavel Fortress" + ], + [ + "Stash", + "1", + "5%", + "Cierzo" + ], + [ + "Worker's Corpse", + "1", + "5%", + "Ancient Foundry, Chersonese, Crumbling Loading Docks, Destroyed Test Chambers, Levant, Lost Golem Manufacturing Facility, Royal Manticore's Lair, Sand Rose Cave, Stone Titan Caves, Sulphuric Caverns, The Grotto of Chalcedony, Wendigo Lair" + ], + [ + "Adventurer's Corpse", + "1 - 2", + "2.6%", + "Ancient Hive, Caldera, Dolmen Crypt, Hallowed Marsh, Pirates' Hideout" + ], + [ + "Broken Tent", + "1 - 2", + "2.6%", + "Antique Plateau, Chersonese, Corrupted Tombs" + ], + [ + "Calygrey Chest", + "1 - 2", + "2.6%", + "Ark of the Exiled, Oily Cavern, Steam Bath Tunnels" + ], + [ + "Chest", + "1 - 2", + "2.6%", + "Abandoned Living Quarters, Abrassar, Ancestor's Resting Place, Bandit Hideout, Cabal of Wind Temple, Conflux Chambers, Corrupted Cave, Corsair's Headquarters, Dark Ziggurat Interior, Destroyed Test Chambers, Dock's Storage, Enmerkar Forest, Flooded Cellar, Forgotten Research Laboratory, Hallowed Marsh, Heroic Kingdom's Conflux Path, Hollowed Lotus, Holy Mission's Conflux Path, Immaculate's Camp, Immaculate's Cave, Levant, Necropolis, River's End, Ruined Warehouse, Spire of Light, The Slide, The Tower of Regrets, Ziggurat Passage" + ] + ] + } + ], + "description": "Worker Boots is a type of Armor in Outward." + }, + { + "name": "Worker Set", + "url": "https://outward.fandom.com/wiki/Worker_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "22", + "Cold Weather Def.": "12", + "Damage Resist": "5%", + "Durability": "270", + "Hot Weather Def.": "1", + "Impact Resist": "4%", + "Object ID": "3000084 (Legs)3000080 (Chest)3000085 (Head)", + "Sell": "7", + "Slot": "Set", + "Weight": "5.0" + }, + "image_url": "data:image/gif;base64,R0lGODlhAQABAIABAAAAAP///yH5BAEAAAEALAAAAAABAAEAQAICTAEAOw%3D%3D", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "1%", + "column_5": "–", + "column_6": "3", + "durability": "90", + "name": "Black Worker Boots", + "resistances": "1%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "2%", + "column_5": "–", + "column_6": "6", + "durability": "90", + "name": "Dark Worker Attire", + "resistances": "3%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "1%", + "column_5": "1", + "column_6": "3", + "durability": "90", + "name": "Dark Worker Hood", + "resistances": "1%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "2%", + "column_5": "–", + "column_6": "6", + "durability": "90", + "name": "Green Worker Attire", + "resistances": "3%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "1%", + "column_5": "1", + "column_6": "3", + "durability": "90", + "name": "Pale Worker's Hood", + "resistances": "1%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "2%", + "column_5": "–", + "column_6": "6", + "durability": "90", + "name": "Patterned Worker Attire", + "resistances": "3%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "1%", + "column_5": "1", + "column_6": "3", + "durability": "90", + "name": "Patterned Worker Hood", + "resistances": "1%", + "weight": "1.0" + }, + { + "class": "Boots", + "column_4": "1%", + "column_5": "–", + "column_6": "3", + "durability": "90", + "name": "Worker Boots", + "resistances": "1%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Black Worker Boots", + "1%", + "1%", + "–", + "3", + "90", + "1.0", + "Boots" + ], + [ + "", + "Dark Worker Attire", + "3%", + "2%", + "–", + "6", + "90", + "3.0", + "Body Armor" + ], + [ + "", + "Dark Worker Hood", + "1%", + "1%", + "1", + "3", + "90", + "1.0", + "Helmets" + ], + [ + "", + "Green Worker Attire", + "3%", + "2%", + "–", + "6", + "90", + "3.0", + "Body Armor" + ], + [ + "", + "Pale Worker's Hood", + "1%", + "1%", + "1", + "3", + "90", + "1.0", + "Helmets" + ], + [ + "", + "Patterned Worker Attire", + "3%", + "2%", + "–", + "6", + "90", + "3.0", + "Body Armor" + ], + [ + "", + "Patterned Worker Hood", + "1%", + "1%", + "1", + "3", + "90", + "1.0", + "Helmets" + ], + [ + "", + "Worker Boots", + "1%", + "1%", + "–", + "3", + "90", + "1.0", + "Boots" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Column 6", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_4": "1%", + "column_5": "–", + "column_6": "3", + "durability": "90", + "name": "Black Worker Boots", + "resistances": "1%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "2%", + "column_5": "–", + "column_6": "6", + "durability": "90", + "name": "Dark Worker Attire", + "resistances": "3%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "1%", + "column_5": "1", + "column_6": "3", + "durability": "90", + "name": "Dark Worker Hood", + "resistances": "1%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "2%", + "column_5": "–", + "column_6": "6", + "durability": "90", + "name": "Green Worker Attire", + "resistances": "3%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "1%", + "column_5": "1", + "column_6": "3", + "durability": "90", + "name": "Pale Worker's Hood", + "resistances": "1%", + "weight": "1.0" + }, + { + "class": "Body Armor", + "column_4": "2%", + "column_5": "–", + "column_6": "6", + "durability": "90", + "name": "Patterned Worker Attire", + "resistances": "3%", + "weight": "3.0" + }, + { + "class": "Helmets", + "column_4": "1%", + "column_5": "1", + "column_6": "3", + "durability": "90", + "name": "Patterned Worker Hood", + "resistances": "1%", + "weight": "1.0" + }, + { + "class": "Boots", + "column_4": "1%", + "column_5": "–", + "column_6": "3", + "durability": "90", + "name": "Worker Boots", + "resistances": "1%", + "weight": "1.0" + } + ], + "raw_rows": [ + [ + "", + "Black Worker Boots", + "1%", + "1%", + "–", + "3", + "90", + "1.0", + "Boots" + ], + [ + "", + "Dark Worker Attire", + "3%", + "2%", + "–", + "6", + "90", + "3.0", + "Body Armor" + ], + [ + "", + "Dark Worker Hood", + "1%", + "1%", + "1", + "3", + "90", + "1.0", + "Helmets" + ], + [ + "", + "Green Worker Attire", + "3%", + "2%", + "–", + "6", + "90", + "3.0", + "Body Armor" + ], + [ + "", + "Pale Worker's Hood", + "1%", + "1%", + "1", + "3", + "90", + "1.0", + "Helmets" + ], + [ + "", + "Patterned Worker Attire", + "3%", + "2%", + "–", + "6", + "90", + "3.0", + "Body Armor" + ], + [ + "", + "Patterned Worker Hood", + "1%", + "1%", + "1", + "3", + "90", + "1.0", + "Helmets" + ], + [ + "", + "Worker Boots", + "1%", + "1%", + "–", + "3", + "90", + "1.0", + "Boots" + ] + ] + } + ], + "description": "Worker Set is a Armor Set in Outward. There are several color variants for each piece, though they all have the same stats." + }, + { + "name": "Worldedge Greataxe", + "url": "https://outward.fandom.com/wiki/Worldedge_Greataxe", + "categories": [ + "Items", + "Weapons", + "Axes" + ], + "infobox": { + "Attack Speed": "1.1", + "Buy": "2500", + "Class": "Axes", + "Damage": "24.5 24.5", + "Durability": "525", + "Impact": "48", + "Object ID": "2110100", + "Sell": "750", + "Stamina Cost": "6.7", + "Type": "Two-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/73/Worldedge_Greataxe.png/revision/latest?cb=20190412202918", + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.7", + "damage": "24.5 24.5", + "description": "Two slashing strikes, left to right", + "impact": "48", + "input": "Standard \u003e Standard" + }, + { + "attacks": "2", + "cost": "9.21", + "damage": "31.85 31.85", + "description": "Uppercut strike into right sweep strike", + "impact": "62.4", + "input": "Special" + }, + { + "attacks": "2", + "cost": "9.21", + "damage": "31.85 31.85", + "description": "Left-spinning double strike", + "impact": "62.4", + "input": "Standard \u003e Special" + }, + { + "attacks": "2", + "cost": "9.05", + "damage": "31.85 31.85", + "description": "Right-spinning double strike", + "impact": "62.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "24.5 24.5", + "48", + "6.7", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "31.85 31.85", + "62.4", + "9.21", + "2", + "Uppercut strike into right sweep strike" + ], + [ + "Standard \u003e Special", + "31.85 31.85", + "62.4", + "9.21", + "2", + "Left-spinning double strike" + ], + [ + "Standard \u003e Standard \u003e Special", + "31.85 31.85", + "62.4", + "9.05", + "2", + "Right-spinning double strike" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Tyrant of the Hive" + } + ], + "raw_rows": [ + [ + "Tyrant of the Hive", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Worldedge Greataxe is a unique two-handed axe in Outward." + }, + { + "name": "Worn Guisarme", + "url": "https://outward.fandom.com/wiki/Worn_Guisarme", + "categories": [ + "Items", + "Weapons", + "Polearms" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "20", + "Class": "Polearms", + "Damage": "17", + "Durability": "200", + "Impact": "14", + "Object ID": "2130010", + "Sell": "6", + "Stamina Cost": "4.5", + "Type": "Halberd", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/4d/Worn_Guisarme.png/revision/latest?cb=20190412213410", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Worn Guisarme" + } + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "4.5", + "damage": "16", + "description": "Two wide-sweeping strikes, left to right", + "impact": "14", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "5.6", + "damage": "22.4", + "description": "Forward-thrusting strike", + "impact": "16.8", + "input": "Special" + }, + { + "attacks": "1", + "cost": "5.6", + "damage": "20.8", + "description": "Wide-sweeping strike from left", + "impact": "16.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "5.6", + "damage": "19.2", + "description": "Slow but powerful sweeping strike", + "impact": "15.4", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "16", + "14", + "4.5", + "2", + "Two wide-sweeping strikes, left to right" + ], + [ + "Special", + "22.4", + "16.8", + "5.6", + "1", + "Forward-thrusting strike" + ], + [ + "Standard \u003e Special", + "20.8", + "16.8", + "5.6", + "1", + "Wide-sweeping strike from left" + ], + [ + "Standard \u003e Standard \u003e Special", + "19.2", + "15.4", + "5.6", + "1", + "Slow but powerful sweeping strike" + ] + ] + }, + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Bandit" + }, + { + "chance": "100%", + "quantity": "1", + "source": "Vendavel Bandit" + } + ], + "raw_rows": [ + [ + "Bandit", + "1", + "100%" + ], + [ + "Vendavel Bandit", + "1", + "100%" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance", + "Locations" + ], + "rows": [ + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "9.1%", + "locations": "Giants' Village, Hallowed Marsh", + "quantity": "1", + "source": "Chest" + }, + { + "chance": "9.1%", + "locations": "Hallowed Marsh", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "9.1%", + "locations": "Monsoon", + "quantity": "1", + "source": "Stash" + }, + { + "chance": "9.1%", + "locations": "Flooded Cellar", + "quantity": "1", + "source": "Worker's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Adventurer's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese", + "quantity": "1", + "source": "Hollowed Trunk" + }, + { + "chance": "8%", + "locations": "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress", + "quantity": "1", + "source": "Junk Pile" + }, + { + "chance": "8%", + "locations": "Blister Burrow", + "quantity": "1", + "source": "Looter's Corpse" + }, + { + "chance": "8%", + "locations": "Chersonese, Heroic Kingdom's Conflux Path", + "quantity": "1", + "source": "Soldier's Corpse" + } + ], + "raw_rows": [ + [ + "Adventurer's Corpse", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Chest", + "1", + "9.1%", + "Giants' Village, Hallowed Marsh" + ], + [ + "Hollowed Trunk", + "1", + "9.1%", + "Hallowed Marsh" + ], + [ + "Stash", + "1", + "9.1%", + "Monsoon" + ], + [ + "Worker's Corpse", + "1", + "9.1%", + "Flooded Cellar" + ], + [ + "Adventurer's Corpse", + "1", + "8%", + "Chersonese" + ], + [ + "Hollowed Trunk", + "1", + "8%", + "Chersonese" + ], + [ + "Junk Pile", + "1", + "8%", + "Blister Burrow, Blue Chamber's Conflux Path, Cierzo (Destroyed), Vendavel Fortress" + ], + [ + "Looter's Corpse", + "1", + "8%", + "Blister Burrow" + ], + [ + "Soldier's Corpse", + "1", + "8%", + "Chersonese, Heroic Kingdom's Conflux Path" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Worn Guisarme is a halberd in Outward." + }, + { + "name": "Writ of Tribal Favor", + "url": "https://outward.fandom.com/wiki/Writ_of_Tribal_Favor", + "categories": [ + "Other", + "Items" + ], + "infobox": { + "Buy": "150", + "Object ID": "5600050", + "Sell": "45", + "Type": "Other", + "Weight": "0.1" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/31/TribalFavor.png/revision/latest/scale-to-width-down/65?cb=20190410024231", + "description": "Writ of Tribal Favor is an item in Outward." + }, + { + "name": "Zagis' Armor", + "url": "https://outward.fandom.com/wiki/Zagis%27_Armor", + "categories": [ + "Items", + "Armor", + "Body Armor" + ], + "infobox": { + "Buy": "1050", + "Damage Bonus": "12%", + "Damage Resist": "25%", + "Durability": "560", + "Hot Weather Def.": "14", + "Impact Resist": "17%", + "Item Set": "Zagis' Set", + "Movement Speed": "-8%", + "Object ID": "3100031", + "Protection": "3", + "Sell": "349", + "Slot": "Chest", + "Stamina Cost": "8%", + "Weight": "24.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/da/Zagis%27_Armor.png/revision/latest?cb=20190415132210", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "2x", + "ingredients": [ + "Decraft: Iron (Large)" + ], + "station": "Decrafting", + "source_page": "Zagis' Armor" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Large)", + "result": "2x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "2x Iron Scrap", + "Decraft: Iron (Large)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "+100% Status Resistance to Burning", + "enchantment": "Sang Froid" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Sang Froid", + "+100% Status Resistance to Burning" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Zagis' Armor is a type of Armor in Outward." + }, + { + "name": "Zagis' Boots", + "url": "https://outward.fandom.com/wiki/Zagis%27_Boots", + "categories": [ + "Infoboxes lacking buy price", + "Items", + "Armor", + "Boots" + ], + "infobox": { + "Buy": "???", + "Cooldown Reduction": "-10%", + "Damage Bonus": "9%", + "Damage Resist": "15%", + "Durability": "560", + "Hot Weather Def.": "8", + "Impact Resist": "13%", + "Item Set": "Zagis' Set", + "Movement Speed": "-5%", + "Object ID": "0000000", + "Protection": "2", + "Slot": "Legs", + "Stamina Cost": "6%", + "Weight": "12" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/9/98/Zagis%27_Boots.png/revision/latest/scale-to-width-down/84?cb=20230109042809", + "description": "Zagis' Boots is a type of Armor in Outward." + }, + { + "name": "Zagis' Mask", + "url": "https://outward.fandom.com/wiki/Zagis%27_Mask", + "categories": [ + "Items", + "Armor", + "Helmets" + ], + "infobox": { + "Buy": "525", + "Damage Bonus": "9%", + "Damage Resist": "20%", + "Durability": "560", + "Hot Weather Def.": "10", + "Impact Resist": "13%", + "Item Set": "Zagis' Set", + "Mana Cost": "30%", + "Movement Speed": "-8%", + "Object ID": "3100030", + "Protection": "2", + "Sell": "158", + "Slot": "Head", + "Stamina Cost": "8%", + "Weight": "12.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/8/8a/Zagis%27_Mask.png/revision/latest?cb=20190407195742", + "recipes": [ + { + "result": "Iron Scrap", + "result_count": "1x", + "ingredients": [ + "Decraft: Iron (Small)" + ], + "station": "Decrafting", + "source_page": "Zagis' Mask" + } + ], + "tables": [ + { + "title": "Crafting / Used In", + "headers": [ + "Result", + "Ingredients", + "Station" + ], + "rows": [ + { + "ingredients": "Decraft: Iron (Small)", + "result": "1x Iron Scrap", + "station": "Decrafting" + } + ], + "raw_rows": [ + [ + "1x Iron Scrap", + "Decraft: Iron (Small)", + "Decrafting" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots", + "enchantment": "Aegis" + }, + { + "effects": "+100% Status Resistance to Panic", + "enchantment": "Calm Soul" + }, + { + "effects": "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance", + "enchantment": "Filter" + }, + { + "effects": "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots", + "enchantment": "Shelter" + } + ], + "raw_rows": [ + [ + "Aegis", + "Adds +2 Protection to Body Armor, and +1 to Helmets or Boots" + ], + [ + "Calm Soul", + "+100% Status Resistance to Panic" + ], + [ + "Filter", + "Body Armors: Adds +10 Corruption resistanceHelmets/Boots: Adds +5 Corruption resistance" + ], + [ + "Shelter", + "Adds +2 Barrier to Body Armor, and +1 Barrier to Helmets or Boots" + ] + ] + } + ], + "description": "Zagis' Mask is a type of Armor in Outward." + }, + { + "name": "Zagis' Saw", + "url": "https://outward.fandom.com/wiki/Zagis%27_Saw", + "categories": [ + "Items", + "Weapons", + "Swords" + ], + "infobox": { + "Attack Speed": "0.8", + "Buy": "1000", + "Class": "Swords", + "Damage": "40", + "Durability": "400", + "Effects": "Pain", + "Impact": "48", + "Item Set": "Zagis' Set", + "Object ID": "2100030", + "Sell": "300", + "Stamina Cost": "6.6", + "Type": "Two-Handed", + "Weight": "11.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/7/7f/Zagis%27_Saw.png/revision/latest?cb=20190413075442", + "effects": [ + "Inflicts Pain (100% buildup)" + ], + "effect_links": [ + "/wiki/Effects#Buildup" + ], + "tables": [ + { + "title": "Attack Styles", + "headers": [ + "Input", + "Damage", + "Impact", + "Cost", + "Attacks", + "Description" + ], + "rows": [ + { + "attacks": "2", + "cost": "6.6", + "damage": "40", + "description": "Two slashing strikes, left to right", + "impact": "48", + "input": "Standard \u003e Standard" + }, + { + "attacks": "1", + "cost": "8.58", + "damage": "60", + "description": "Overhead downward-thrusting strike", + "impact": "72", + "input": "Special" + }, + { + "attacks": "1", + "cost": "7.26", + "damage": "50.6", + "description": "Spinning strike from the right", + "impact": "52.8", + "input": "Standard \u003e Special" + }, + { + "attacks": "1", + "cost": "7.26", + "damage": "50.6", + "description": "Spinning strike from the left", + "impact": "52.8", + "input": "Standard \u003e Standard \u003e Special" + } + ], + "raw_rows": [ + [ + "Standard \u003e Standard", + "40", + "48", + "6.6", + "2", + "Two slashing strikes, left to right" + ], + [ + "Special", + "60", + "72", + "8.58", + "1", + "Overhead downward-thrusting strike" + ], + [ + "Standard \u003e Special", + "50.6", + "52.8", + "7.26", + "1", + "Spinning strike from the right" + ], + [ + "Standard \u003e Standard \u003e Special", + "50.6", + "52.8", + "7.26", + "1", + "Spinning strike from the left" + ] + ] + }, + { + "title": "Acquired From", + "headers": [ + "Source", + "Quantity", + "Chance" + ], + "rows": [ + { + "chance": "100%", + "quantity": "1", + "source": "Zagis" + } + ], + "raw_rows": [ + [ + "Zagis", + "1", + "100%" + ] + ] + }, + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)", + "enchantment": "Crumbling Anger" + }, + { + "effects": "Weapon gains +5 flat Lightning damage", + "enchantment": "Fulmination" + }, + { + "effects": "Weapon gains +5 flat Ethereal damage", + "enchantment": "Molepig Sigh" + }, + { + "effects": "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair", + "enchantment": "Poltergeist" + }, + { + "effects": "Increases the weapon's physical damage by +10%", + "enchantment": "Whiplash" + } + ], + "raw_rows": [ + [ + "Crumbling Anger", + "Adds +50% of the existing weapon's physical damage as Physical damageWeapon inflicts Burning (30% buildup), Poisoned (35% buildup) and Extreme Poison (20% buildup)" + ], + [ + "Fulmination", + "Weapon gains +5 flat Lightning damage" + ], + [ + "Molepig Sigh", + "Weapon gains +5 flat Ethereal damage" + ], + [ + "Poltergeist", + "Converts 50% of the existing weapon's physical damage to Raw damageAdds self-repair" + ], + [ + "Whiplash", + "Increases the weapon's physical damage by +10%" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Zagis' Saw is a type of Two-handed Sword in Outward." + }, + { + "name": "Zagis' Set", + "url": "https://outward.fandom.com/wiki/Zagis%27_Set", + "categories": [ + "Items", + "Armor", + "Sets" + ], + "infobox": { + "Buy": "1575", + "Cooldown Reduction": "-10%", + "Damage Bonus": "30%", + "Damage Resist": "60%", + "Durability": "1680", + "Hot Weather Def.": "32", + "Impact Resist": "43%", + "Mana Cost": "30%", + "Movement Speed": "-21%", + "Object ID": "3100031 (Chest)0000000 (Legs)3100030 (Head)", + "Protection": "7", + "Sell": "507", + "Slot": "Set", + "Stamina Cost": "22%", + "Weight": "48.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/c/cf/Zagis.png/revision/latest/scale-to-width-down/250?cb=20190618194529", + "tables": [ + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Column 11", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_10": "-10%", + "column_11": "-5%", + "column_4": "13%", + "column_5": "2", + "column_7": "8", + "column_8": "6%", + "column_9": "–", + "damage_bonus%": "9%", + "durability": "560", + "name": "Zagis' Boots", + "resistances": "15%", + "weight": "12.0" + }, + { + "class": "Body Armor", + "column_10": "–", + "column_11": "-8%", + "column_4": "17%", + "column_5": "3", + "column_7": "14", + "column_8": "8%", + "column_9": "–", + "damage_bonus%": "12%", + "durability": "560", + "name": "Zagis' Armor", + "resistances": "25%", + "weight": "24.0" + }, + { + "class": "Helmets", + "column_10": "–", + "column_11": "-8%", + "column_4": "13%", + "column_5": "2", + "column_7": "10", + "column_8": "8%", + "column_9": "30%", + "damage_bonus%": "9%", + "durability": "560", + "name": "Zagis' Mask", + "resistances": "20%", + "weight": "12.0" + } + ], + "raw_rows": [ + [ + "", + "Zagis' Boots", + "15%", + "13%", + "2", + "9%", + "8", + "6%", + "–", + "-10%", + "-5%", + "560", + "12.0", + "Boots" + ], + [ + "", + "Zagis' Armor", + "25%", + "17%", + "3", + "12%", + "14", + "8%", + "–", + "–", + "-8%", + "560", + "24.0", + "Body Armor" + ], + [ + "", + "Zagis' Mask", + "20%", + "13%", + "2", + "9%", + "10", + "8%", + "30%", + "–", + "-8%", + "560", + "12.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "2H Sword", + "column_4": "48", + "column_5": "6.6", + "damage": "40", + "durability": "400", + "effects": "Pain", + "name": "Zagis' Saw", + "speed": "0.8", + "weight": "11.0" + } + ], + "raw_rows": [ + [ + "", + "Zagis' Saw", + "40", + "48", + "6.6", + "0.8", + "400", + "11.0", + "Pain", + "2H Sword" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Resistances", + "Column 4", + "Column 5", + "Damage Bonus%", + "Column 7", + "Column 8", + "Column 9", + "Column 10", + "Column 11", + "Durability", + "Weight", + "Class" + ], + "rows": [ + { + "class": "Boots", + "column_10": "-10%", + "column_11": "-5%", + "column_4": "13%", + "column_5": "2", + "column_7": "8", + "column_8": "6%", + "column_9": "–", + "damage_bonus%": "9%", + "durability": "560", + "name": "Zagis' Boots", + "resistances": "15%", + "weight": "12.0" + }, + { + "class": "Body Armor", + "column_10": "–", + "column_11": "-8%", + "column_4": "17%", + "column_5": "3", + "column_7": "14", + "column_8": "8%", + "column_9": "–", + "damage_bonus%": "12%", + "durability": "560", + "name": "Zagis' Armor", + "resistances": "25%", + "weight": "24.0" + }, + { + "class": "Helmets", + "column_10": "–", + "column_11": "-8%", + "column_4": "13%", + "column_5": "2", + "column_7": "10", + "column_8": "8%", + "column_9": "30%", + "damage_bonus%": "9%", + "durability": "560", + "name": "Zagis' Mask", + "resistances": "20%", + "weight": "12.0" + } + ], + "raw_rows": [ + [ + "", + "Zagis' Boots", + "15%", + "13%", + "2", + "9%", + "8", + "6%", + "–", + "-10%", + "-5%", + "560", + "12.0", + "Boots" + ], + [ + "", + "Zagis' Armor", + "25%", + "17%", + "3", + "12%", + "14", + "8%", + "–", + "–", + "-8%", + "560", + "24.0", + "Body Armor" + ], + [ + "", + "Zagis' Mask", + "20%", + "13%", + "2", + "9%", + "10", + "8%", + "30%", + "–", + "-8%", + "560", + "12.0", + "Helmets" + ] + ] + }, + { + "headers": [ + "Icon", + "Name", + "Damage", + "Column 4", + "Column 5", + "Speed", + "Durability", + "Weight", + "Effects", + "Class" + ], + "rows": [ + { + "class": "2H Sword", + "column_4": "48", + "column_5": "6.6", + "damage": "40", + "durability": "400", + "effects": "Pain", + "name": "Zagis' Saw", + "speed": "0.8", + "weight": "11.0" + } + ], + "raw_rows": [ + [ + "", + "Zagis' Saw", + "40", + "48", + "6.6", + "0.8", + "400", + "11.0", + "Pain", + "2H Sword" + ] + ] + } + ], + "description": "Zagis' Set is a Set in Outward." + }, + { + "name": "Zhorn's Demon Shield", + "url": "https://outward.fandom.com/wiki/Zhorn%27s_Demon_Shield", + "categories": [ + "Items", + "Weapons", + "Shields", + "Armor" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "2000", + "Class": "Shields", + "Damage": "48", + "Durability": "325", + "Impact": "60", + "Impact Resist": "20%", + "Item Set": "Zhorn's Set", + "Object ID": "2300030", + "Sell": "600", + "Type": "One-Handed", + "Weight": "6.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/4/48/Zhorn%27s_Demon_Shield.png/revision/latest/scale-to-width-down/83?cb=20190407065510", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier", + "enchantment": "Guided Arm" + }, + { + "effects": "Requires Expanded Library upgrade+10% Status Resistance", + "enchantment": "Protective Presence" + } + ], + "raw_rows": [ + [ + "Guided Arm", + "Requires Expanded Library upgradeShield gains +2 Protection and +2 Barrier" + ], + [ + "Protective Presence", + "Requires Expanded Library upgrade+10% Status Resistance" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Zhorn's Demon Shield is a type of Shield in Outward." + }, + { + "name": "Zhorn's Glowstone Dagger", + "url": "https://outward.fandom.com/wiki/Zhorn%27s_Glowstone_Dagger", + "categories": [ + "Items", + "Weapons", + "Daggers", + "Off-Handed Weapons" + ], + "infobox": { + "Attack Speed": "1.0", + "Buy": "800", + "Class": "Daggers", + "Damage": "20.1 9.9", + "Durability": "200", + "Effects": "Glowing (Light Source)", + "Impact": "38", + "Item Set": "Zhorn's Set", + "Object ID": "5110005", + "Sell": "240", + "Type": "Off-Handed", + "Weight": "2.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/3/37/Zhorn%27s_Glowstone_Dagger.png/revision/latest?cb=20190406064405", + "tables": [ + { + "title": "Enchantments", + "headers": [ + "Enchantment", + "Effects" + ], + "rows": [ + { + "effects": "Requires Expanded Library upgrade+10% Decay Damage Bonus", + "enchantment": "Midnight Dance" + }, + { + "effects": "Requires Expanded Library upgradeHits create an AoE Lightning blast which deals 0.603x (60.3%) Dagger's base damage-9% Lightning Damage Bonus", + "enchantment": "Tunnel's End" + } + ], + "raw_rows": [ + [ + "Midnight Dance", + "Requires Expanded Library upgrade+10% Decay Damage Bonus" + ], + [ + "Tunnel's End", + "Requires Expanded Library upgradeHits create an AoE Lightning blast which deals 0.603x (60.3%) Dagger's base damage-9% Lightning Damage Bonus" + ] + ] + }, + { + "headers": [ + "v · d · eWeapon list" + ], + "rows": [ + { + "v_·_d_·_eweapon_list": "Main Weapons" + }, + { + "column_2": "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe", + "v_·_d_·_eweapon_list": "Axes" + }, + { + "column_2": "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow", + "v_·_d_·_eweapon_list": "Bows" + }, + { + "column_2": "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace", + "v_·_d_·_eweapon_list": "Maces" + }, + { + "column_2": "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff", + "v_·_d_·_eweapon_list": "Polearms" + }, + { + "column_2": "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear", + "v_·_d_·_eweapon_list": "Spears" + }, + { + "column_2": "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade", + "v_·_d_·_eweapon_list": "Swords" + }, + { + "column_2": "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus", + "v_·_d_·_eweapon_list": "Gauntlets" + }, + { + "v_·_d_·_eweapon_list": "Off-Hand Weapons" + }, + { + "column_2": "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield", + "v_·_d_·_eweapon_list": "Shields" + }, + { + "column_2": "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram", + "v_·_d_·_eweapon_list": "Chakrams" + }, + { + "column_2": "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger", + "v_·_d_·_eweapon_list": "Daggers" + }, + { + "column_2": "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol", + "v_·_d_·_eweapon_list": "Pistols" + } + ], + "raw_rows": [ + [ + "Main Weapons" + ], + [ + "Axes", + "Astral Axe Astral Greataxe Beast Golem Axe Brutal Axe Brutal Greataxe Butcher Cleaver Chalcedony Axe Chalcedony Greataxe Crescent Greataxe Damascene Axe Damascene Greataxe Fang Axe Fang Greataxe Felling Greataxe Forged Glass Axe Forged Glass Greataxe Fossilized Greataxe Galvanic Axe Galvanic Greataxe Giantkind Greataxe Gold Greataxe Gold Hatchet Grind Hailfrost Axe Hailfrost Greataxe Hatchet Horror Axe Horror Greataxe Iron Axe Iron Greataxe" + ], + [ + "Bows", + "Astral Bow Ceremonial Bow Chalcedony Bow Coralhorn Bow Damascene Bow Forged Glass Bow Galvanic Bow Gold Bow Horror Bow Kazite Bow" + ], + [ + "Maces", + "Ancient Calygrey Mace Astral Greatmace Astral Mace Blacksmith's Vintage Hammer Brutal Club Brutal Greatmace Calygrey Mace Chalcedony Hammer Chalcedony Mace Challenger Greathammer Damascene Hammer Damascene Mace De-powered Bludgeon Fang Club Fang Greatclub Forged Glass Greatmace Forged Glass Mace Galvanic Greatmace Galvanic Mace Ghost Parallel Giant Iron Key Gold Club Gold Mining Pick Gold-Lich Mace Hailfrost Hammer Hailfrost Mace Horror Greatmace Horror Mace Iron Greathammer Iron Mace Jade-Lich Mace" + ], + [ + "Polearms", + "Ancient Calygrey Staff Astral Halberd Astral Staff Beast Golem Halberd Calygrey Staff Chalcedony Halberd Cleaver Halberd Compasswood Staff Cracked Red Moon Crescent Scythe Crystal Staff Damascene Halberd Dreamer Halberd Duty Fang Halberd Forged Glass Halberd Frostburn Staff Galvanic Halberd Ghost Reaper Giantkind Halberd Gold Guisarme Gold Quarterstaff Hailfrost Halberd Horror Halberd Iron Halberd Ivory Master's Staff Jade-Lich Staff" + ], + [ + "Spears", + "Astral Spear Brutal Spear Chalcedony Spear Damascene Spear Fang Trident Fishing Harpoon Forged Glass Spear Galvanic Spear Gold Harpoon Gold Pitchfork Gold-Lich Spear Griigmerk kÄramerk Hailfrost Spear Horror Spear Iron Spear" + ], + [ + "Swords", + "Assassin Claymore Assassin Sword Astral Claymore Astral Sword Brand Broken Golem Rapier Cerulean Sabre Chalcedony Claymore Chalcedony Sword Damascene Claymore Damascene Sword Desert Khopesh Fang Greatsword Fang Sword Forged Glass Claymore Forged Glass Sword Gep's Blade Gep's Blade Gep's Longblade Gold Machete Gold-Lich Claymore Gold-Lich Sword Golden Junk Claymore Golem Rapier Great Runic Blade (weapon) Hailfrost Claymore Hailfrost Sword Horror Greatsword Horror Sword Iron Claymore Iron Sword Jade Scimitar Junk Claymore Kazite Blade" + ], + [ + "Gauntlets", + "Astral Knuckles Brutal Knuckles Chalcedony Knuckles Cloth Knuckles Damascene Knuckles Fang Knuckles Forged Glass Knuckles Galvanic Fists Gold-Lich Knuckles Golden Iron Knuckles Hailfrost Knuckles Horror Fists Iron Knuckles Kazite Cestus" + ], + [ + "Off-Hand Weapons" + ], + [ + "Shields", + "Angler Shield Astral Shield Crimson Shield Dragon Shield Enchanting Table Shield Fabulous Palladium Shield Fang Shield Forged Glass Shield Galvanic Shield Gold-Lich Shield Golden Shield Horror Shield Inner Marble Shield" + ], + [ + "Chakrams", + "Astral Chakram Chakram Chalcedony Chakram Distorted Experiment Experimental Chakram Forged Glass Chakram Frozen Chakram Galvanic Chakram Horror Chakram" + ], + [ + "Daggers", + "Astral Dagger Broad Dagger Forged Glass Dagger Galvanic Dagger Gilded Shiver of Tramontane Hailfrost Dagger" + ], + [ + "Pistols", + "Astral Pistol Bone Pistol Cage Pistol Cannon Pistol Chalcedony Pistol Chimera Pistol Flintlock Pistol Forged Glass Pistol Galvanic Pistol Hailfrost Pistol Horror Pistol" + ] + ] + } + ], + "description": "Zhorn's Glowstone Dagger is a unique dagger that gives off as a little less light than a Old lantern when equipped." + }, + { + "name": "Zhorn's Hunting Backpack", + "url": "https://outward.fandom.com/wiki/Zhorn%27s_Hunting_Backpack", + "categories": [ + "Items", + "Equipment", + "Backpacks" + ], + "infobox": { + "Buy": "400", + "Capacity": "85", + "Class": "Backpacks", + "Durability": "∞", + "Inventory Protection": "2", + "Item Set": "Zhorn's Set", + "Object ID": "5300180", + "Preservation Amount": "50%", + "Sell": "120", + "Stamina Cost": "-10%", + "Weight": "4.0" + }, + "image_url": "https://static.wikia.nocookie.net/outward_gamepedia/images/d/d4/Zhorn%27s_Hunting_Backpack.png/revision/latest?cb=20190410235531", + "effects": [ + "Stamina cost -10%", + "Slows down the decay of perishable items by 50%.", + "Provides 2 Protection to the Durability of items in the backpack when hit by enemies" + ], + "description": "The Zhorn's Hunting Backpack is a unique type of backpack in Outward, which supports a hanging Lantern slot." + } + ], + "effects": [ + { + "name": "Bandages (Effect)", + "url": "https://outward.fandom.com/wiki/Bandages_(Effect)", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "40 seconds", + "Effects": "+0.5 Health per second", + "Type": "Vital" + }, + "description": "Bandages is a positive status effect in Outward." + }, + { + "name": "Barrier (Effect)", + "url": "https://outward.fandom.com/wiki/Barrier_(Effect)", + "categories": [ + "DLC: The Three Brothers", + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "+3 to +6 Barrier", + "Type": "Buff" + }, + "description": "Barrier (Effect) is a Status Effect in Outward." + }, + { + "name": "Bleeding", + "url": "https://outward.fandom.com/wiki/Bleeding", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "120 seconds", + "Effects": "On Player: -0.5% health per secOn Enemies: -0.29% health per sec", + "Type": "DoT" + }, + "description": "Bleeding is a negative Status Effect in Outward." + }, + { + "name": "Blood Bullet Imbue", + "url": "https://outward.fandom.com/wiki/Blood_Bullet_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "∞", + "Effects": "Next shot deals Decay damage.Pistol's damage is converted to DecayDamage multiplier: 0.8x", + "Type": "Imbue" + }, + "description": "Blood Bullet Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Burning", + "url": "https://outward.fandom.com/wiki/Burning", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "40 seconds", + "Effects": "On Player: 2 damage per secOn Enemies: 3 damage per sec", + "Type": "DoT" + }, + "description": "Burning is a negative Status Effect in Outward." + }, + { + "name": "Chill", + "url": "https://outward.fandom.com/wiki/Chill", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "240 seconds", + "Effects": "-25% Frost damage-25% Frost resistance", + "Type": "Hex" + }, + "description": "Chill is a negative Status Effect in Outward, and it is a type of Hex effect." + }, + { + "name": "Cool", + "url": "https://outward.fandom.com/wiki/Cool", + "categories": [ + "Effects" + ], + "infobox": { + "Amplified": "+30% Frost damage+30% Frost resistance+16 Hot Weather Defense", + "Duration": "240 seconds", + "Effects": "+20% Frost damage+20% Frost resistance+8 Hot Weather Defense", + "Type": "Boon" + }, + "description": "Cool is a positive Status Effect in Outward, and it is a type of Boon." + }, + { + "name": "Curse", + "url": "https://outward.fandom.com/wiki/Curse", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "240 seconds", + "Effects": "-25% Decay damage-25% Decay resistance", + "Type": "Hex" + }, + "description": "Curse is a negative Status Effect in Outward, and it is a type of Hex effect." + }, + { + "name": "Decay Shield Imbue", + "url": "https://outward.fandom.com/wiki/Decay_Shield_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "600 seconds", + "Effects": "Decay explosion on next blocked Melee attack", + "Type": "Imbue" + }, + "description": "Decay Shield Imbue is an imbue — a positive status effect in Outward. It is acquired via blocking a Decay attack with the Shield Infusion skill." + }, + { + "name": "Discipline", + "url": "https://outward.fandom.com/wiki/Discipline", + "categories": [ + "Effects" + ], + "infobox": { + "Amplified": "+30% Physical damage", + "Duration": "240 seconds", + "Effects": "+15% Physical damage", + "Type": "Boon" + }, + "description": "Discipline is a positive Status Effect in Outward, and it is a type of Boon." + }, + { + "name": "Divine Light Imbue", + "url": "https://outward.fandom.com/wiki/Divine_Light_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Increases base damage by 25% as Lightning damageGrants +6 flat Lightning damage. Emits light", + "Type": "Imbue" + }, + "description": "Divine Light Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Doomed", + "url": "https://outward.fandom.com/wiki/Doomed", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "240 seconds", + "Effects": "-25% Lightning damage-25% Lightning resistance", + "Type": "Hex" + }, + "description": "Doomed is a negative Status Effect in Outward, and it is a type of Hex effect." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Vital", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Boon", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Status_Resistance", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Damage", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#DoT", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Buff", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Debuff", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Hex", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Negative", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Sleep", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Imbue", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Other_Positive", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Effects", + "url": "https://outward.fandom.com/wiki/Effects#Buildup", + "categories": [ + "Effects", + "Mechanics" + ], + "description": "Effects (sometimes called Status Effects) are temporary or permanent conditions in Outward. Some Effects apply only to the player, while others can apply to Enemies as well. Use Food, Potions, Skills or Equipment to gain, inflict, or remove effects." + }, + { + "name": "Elatt's Barrier", + "url": "https://outward.fandom.com/wiki/Elatt%27s_Barrier", + "categories": [ + "DLC: The Three Brothers", + "Effects" + ], + "infobox": { + "Duration": "2 hours", + "Effects": "+4 Barrier", + "Type": "Buff" + }, + "description": "Elatt's Barrier is a positive Status Effect in Outward." + }, + { + "name": "Energized", + "url": "https://outward.fandom.com/wiki/Energized", + "categories": [ + "DLC: The Soroboreans", + "Effects" + ], + "infobox": { + "Duration": "300 seconds", + "Effects": "+10% Cooldown Reduction", + "Type": "Buff" + }, + "description": "Energized is a Status Effect in Outward." + }, + { + "name": "Ethereal Shield Imbue", + "url": "https://outward.fandom.com/wiki/Ethereal_Shield_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "600 seconds", + "Effects": "Ethereal explosion on next blocked Melee attack", + "Type": "Imbue" + }, + "description": "Ethereal Shield Imbue is an imbue — a positive status effect in Outward. It is acquired via blocking a Ethereal attack with the Shield Infusion skill." + }, + { + "name": "Extreme Bleeding", + "url": "https://outward.fandom.com/wiki/Extreme_Bleeding", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "120 seconds", + "Effects": "On Player: -1% health per secOn Enemies: -0.41% health per sec", + "Type": "DoT" + }, + "description": "Extreme Bleeding is a negative Status Effect in Outward." + }, + { + "name": "Fire Imbue", + "url": "https://outward.fandom.com/wiki/Fire_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "90 seconds", + "Effects": "Increases damage by 10% as Fire damageGrants +4 flat Fire damage.", + "Type": "Imbue" + }, + "description": "Fire Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Fire Shield Imbue", + "url": "https://outward.fandom.com/wiki/Fire_Shield_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "600 seconds", + "Effects": "Fire explosion on next blocked Melee attack", + "Type": "Imbue" + }, + "description": "Fire Shield Imbue is an imbue — a positive status effect in Outward. It is acquired via blocking a Fire attack with the Shield Infusion skill." + }, + { + "name": "Frost Bullet Imbue", + "url": "https://outward.fandom.com/wiki/Frost_Bullet_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "∞", + "Effects": "Next shot creates a Frost explosion with bonus damageInflicts Slow Down, Crippled and pistol's effects", + "Type": "Imbue" + }, + "description": "Frost Bullet Imbue is an imbue — a positive status effect in Outward. It is acquired via the Frost Bullet skill." + }, + { + "name": "Frost Imbue", + "url": "https://outward.fandom.com/wiki/Frost_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "90 seconds", + "Effects": "Increases damage by 10% as Frost damageGrants +5 flat Frost damage.", + "Type": "Imbue" + }, + "description": "Frost Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Frost Shield Imbue", + "url": "https://outward.fandom.com/wiki/Frost_Shield_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "600 seconds", + "Effects": "Frost explosion on next blocked Melee attack", + "Type": "Imbue" + }, + "description": "Frost Shield Imbue is an imbue — a positive status effect in Outward. It is acquired via blocking a Frost attack with the Shield Infusion skill." + }, + { + "name": "Gaberry Wine (effect)", + "url": "https://outward.fandom.com/wiki/Gaberry_Wine_(effect)", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "300 seconds", + "Effects": "-20% Mana Cost+15% Physical Resistance-15% Impact Resistance", + "Type": "Buff" + }, + "description": "Gaberry Wine is a status effect in Outward." + }, + { + "name": "Greater Decay Imbue", + "url": "https://outward.fandom.com/wiki/Greater_Decay_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Increases damage by 20% as Decay damageGrants +15 flat Decay damage.", + "Type": "Imbue" + }, + "description": "Greater Decay Imbue is a positive status effect in Outward. It shares the same icon with Poison Imbue." + }, + { + "name": "Greater Ethereal Imbue", + "url": "https://outward.fandom.com/wiki/Greater_Ethereal_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Increases base damage by 10% as Ethereal damageGrants +15 flat Ethereal damage.", + "Type": "Imbue" + }, + "description": "Greater Ethereal Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Greater Fire Imbue", + "url": "https://outward.fandom.com/wiki/Greater_Fire_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Increases damage by 10% as Fire damageGrants +12 flat Fire damage.Inflicts Burning (40%)", + "Type": "Imbue" + }, + "description": "Greater Fire Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Greater Frost Imbue", + "url": "https://outward.fandom.com/wiki/Greater_Frost_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Increases damage by 10% as Frost damageGrants +15 flat Frost damage.Inflicts Slow Down (40%)", + "Type": "Imbue" + }, + "description": "Greater Frost Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Greater Lightning Imbue", + "url": "https://outward.fandom.com/wiki/Greater_Lightning_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Increases damage by 10% as Lightning damageGrants +15 flat Lightning damage.", + "Type": "Imbue" + }, + "description": "Greater Lightning Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Greater Poison Imbue", + "url": "https://outward.fandom.com/wiki/Greater_Poison_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Weapon inflicts Extreme Poison (40% buildup)", + "Type": "Imbue" + }, + "description": "Greater Poison Imbue is an imbue — a positive status effect in Outward. Unlike other imbues, Poison Imbue adds no damage and instead adds a chance of inflicting Poison." + }, + { + "name": "Healing Water (Effect)", + "url": "https://outward.fandom.com/wiki/Healing_Water_(Effect)", + "categories": [ + "DLC: The Three Brothers", + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "+0.2 Health per second+10 Hot Weather defense", + "Type": "Vital" + }, + "description": "Healing Water (Effect) is a Status Effect in Outward." + }, + { + "name": "Imbues", + "url": "https://outward.fandom.com/wiki/Imbues", + "categories": [ + "Effects" + ], + "description": "Imbues are positive status effects in Outward which increase the potency of the player's melee weapon, pistol or shield." + }, + { + "name": "Infuse Blood (Imbue)", + "url": "https://outward.fandom.com/wiki/Infuse_Blood_(Imbue)", + "categories": [ + "DLC: The Three Brothers", + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Adds +10 flat Decay damageInflicts Extreme Poison (35%)Inflicts Extreme Bleeding (35%)Absorbs 10% of damage dealt as Health", + "Type": "Imbue" + }, + "description": "Infuse Blood (Imbue) is an imbue — a positive status effect in Outward." + }, + { + "name": "Infuse Mana (Imbue)", + "url": "https://outward.fandom.com/wiki/Infuse_Mana_(Imbue)", + "categories": [ + "DLC: The Three Brothers", + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Increases damage by 25% as Ethereal damageGrants +10 flat Ethereal damage.", + "Type": "Imbue" + }, + "description": "Infuse Mana (Imbue) is an imbue — a positive status effect in Outward." + }, + { + "name": "Lightning Imbue", + "url": "https://outward.fandom.com/wiki/Lightning_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "90 seconds", + "Effects": "Increases damage by 10% as Lightning damageGrants +5 flat Lightning damage.", + "Type": "Imbue" + }, + "description": "Lightning Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Lightning Shield Imbue", + "url": "https://outward.fandom.com/wiki/Lightning_Shield_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "600 seconds", + "Effects": "Lightning explosion on next blocked Melee attack", + "Type": "Imbue" + }, + "description": "Lightning Shield Imbue is an imbue — a positive status effect in Outward. It is acquired via blocking a Lightning attack with the Shield Infusion skill." + }, + { + "name": "Mystic Fire Imbue", + "url": "https://outward.fandom.com/wiki/Mystic_Fire_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Increases damage by 25% as Fire damageGrants +7 flat Fire damage.Inflicts Burning (49%)", + "Type": "Imbue" + }, + "description": "Mystic Fire Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Mystic Frost Imbue", + "url": "https://outward.fandom.com/wiki/Mystic_Frost_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Increases damage by 25% as Frost damageGrants +10 flat Frost damage.Inflicts Slow Down (49%)", + "Type": "Imbue" + }, + "description": "Mystic Frost Imbue is an imbue — a positive status effect in Outward." + }, + { + "name": "Poison Imbue", + "url": "https://outward.fandom.com/wiki/Poison_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "90 seconds", + "Effects": "Weapon inflicts Poisoned (40% buildup)", + "Type": "Imbue" + }, + "description": "Poison Imbue is an imbue — a positive status effect in Outward. Unlike other imbues, Poison Imbue adds no damage and instead adds a chance of inflicting Poison." + }, + { + "name": "Poisoned", + "url": "https://outward.fandom.com/wiki/Poisoned", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "90 seconds", + "Effects": "On Player: 1 damage per secOn Enemies: 1.5 damage per sec", + "Type": "DoT" + }, + "description": "Poisoned is a negative Status Effect in Outward." + }, + { + "name": "Possessed", + "url": "https://outward.fandom.com/wiki/Possessed", + "categories": [ + "Effects" + ], + "infobox": { + "Amplified": "+30% Decay damage+30% Decay resistance", + "Duration": "240 seconds", + "Effects": "+20% Decay damage+20% Decay resistance", + "Type": "Boon" + }, + "description": "Possessed is a positive Status Effect in Outward, and it is a type of Boon." + }, + { + "name": "Prime (Effect)", + "url": "https://outward.fandom.com/wiki/Prime_(Effect)", + "categories": [ + "DLC: The Soroboreans", + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "Instantly resets the cooldown of the next skill used in the next 3 minutes", + "Type": "Other Positive" + }, + "description": "Prime (Effect) is a Status Effect in Outward, obtained from the Prime skill." + }, + { + "name": "Protection (Effect)", + "url": "https://outward.fandom.com/wiki/Protection_(Effect)", + "categories": [ + "DLC: The Three Brothers", + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "+3 to +6 Protection", + "Type": "Buff" + }, + "description": "Protection (Effect) is a Status Effect in Outward." + }, + { + "name": "Rage", + "url": "https://outward.fandom.com/wiki/Rage", + "categories": [ + "Effects" + ], + "infobox": { + "Amplified": "+35% Impact bonus damage", + "Duration": "240 seconds", + "Effects": "+25% Impact bonus damage", + "Type": "Boon" + }, + "description": "Rage is a positive Status Effect in Outward, and it is a type of Boon." + }, + { + "name": "Runic Protection", + "url": "https://outward.fandom.com/wiki/Runic_Protection", + "categories": [ + "Skill Combinations", + "Effects" + ], + "infobox": { + "Combination": "+", + "Duration": "180 seconds", + "Effects": "Grants Runic Protection for 180 seconds (effects vary)" + }, + "description": "Runic Protection is a skill combination in Outward, which is cast with Rune Magic and grants a positive effect." + }, + { + "name": "Sapped", + "url": "https://outward.fandom.com/wiki/Sapped", + "categories": [ + "DLC: The Soroboreans", + "Effects" + ], + "infobox": { + "Duration": "60 seconds", + "Effects": "-40% All Non-Physical Damage dealt", + "Type": "Debuff" + }, + "description": "Sapped is a Status Effect in Outward." + }, + { + "name": "Scorched", + "url": "https://outward.fandom.com/wiki/Scorched", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "240 seconds", + "Effects": "-25% Fire damage-25% Fire resistance", + "Type": "Hex" + }, + "description": "Scorched is a negative Status Effect in Outward, and it is a type of Hex effect." + }, + { + "name": "Shatter Bullet Imbue", + "url": "https://outward.fandom.com/wiki/Shatter_Bullet_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "∞", + "Effects": "Next shot deals high ImpactInflicts PainAll damage is converted to Physical.", + "Type": "Imbue" + }, + "description": "Shatter Bullet Imbue is an imbue — a positive status effect in Outward. It is acquired via the Shatter Bullet skill." + }, + { + "name": "Shimmer", + "url": "https://outward.fandom.com/wiki/Shimmer", + "categories": [ + "DLC: The Three Brothers", + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "+15% all Elemental Damage", + "Type": "Buff" + }, + "description": "Shimmer is a Status Effect in Outward." + }, + { + "name": "Sleep Effects", + "url": "https://outward.fandom.com/wiki/Sleep_Effects", + "categories": [ + "Effects" + ], + "description": "Sleep Effects are effects gained from Resting in Beds in cities, or Tents." + }, + { + "name": "Sparkling Water (Effect)", + "url": "https://outward.fandom.com/wiki/Sparkling_Water_(Effect)", + "categories": [ + "DLC: The Three Brothers", + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "+0.75 Stamina per second+10 Hot Weather defense", + "Type": "Vital" + }, + "description": "Sparkling Water (Effect) is a Status Effect in Outward." + }, + { + "name": "Unerring Read (Effect)", + "url": "https://outward.fandom.com/wiki/Unerring_Read_(Effect)", + "categories": [ + "DLC: The Soroboreans", + "Effects" + ], + "infobox": { + "Duration": "20 seconds", + "Effects": "Cancels the next hit received in the next 20 seconds", + "Type": "Other Positive" + }, + "description": "Unerring Read (Effect) is a Status Effect in Outward, obtained from the Unerring Read skill." + }, + { + "name": "Warm", + "url": "https://outward.fandom.com/wiki/Warm", + "categories": [ + "Effects" + ], + "infobox": { + "Amplified": "+30% Fire damage+30% Fire resistance+16 Cold Weather Defense", + "Duration": "240 seconds", + "Effects": "+20% Fire damage+20% Fire resistance+8 Cold Weather Defense", + "Type": "Boon" + }, + "description": "Warm is a positive Status Effect in Outward, and it is a type of Boon." + }, + { + "name": "Water Effect", + "url": "https://outward.fandom.com/wiki/Water_Effect", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "+0.3 Stamina per second+10 Hot Weather Def", + "Type": "Vital" + }, + "description": "Water Effect is a positive status effect in Outward." + }, + { + "name": "Wind Imbue", + "url": "https://outward.fandom.com/wiki/Wind_Imbue", + "categories": [ + "Effects" + ], + "infobox": { + "Duration": "180 seconds", + "Effects": "1.2x Attack Speed1.5x Weapon Impact damage2.0x Stamina Burn rate", + "Type": "Imbue" + }, + "description": "Wind Imbue is an imbue — a positive status effect in Outward. Unlike elemental imbues, this imbue does not add any damage." + } + ] }